79680869

Date: 2025-06-26 16:40:04
Score: 1.5
Natty:
Report link

For anyone struggling with this and tried to look it up, I got it-

the answer that was posted wasn’t exactly the right one.

What you actually needed to do was this,

; To show the turtle’s position

showturtle

; This to make the circle for reference

repeat 36

right 10

draw 5

; THIS is the important part. This is to remember the position it’s in after every VERTEX OF THE CIRCLE

REMEMBER

next

; This is the half circles being drawn

repeat 40

draw 5

right 10

GO HALF

; THIS is the second part that’s important. This is so it goes back to the next vertex position each time

GOBACK

next

end

; THIS IS THE HALF CIRCLE METHOD/SUBROUTINE

# HALF

repeat 18

right 10

draw 10

next

return

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

79680853

Date: 2025-06-26 16:29:01
Score: 0.5
Natty:
Report link

% Joint PDF of Area Load (L) and Transfer Limit (TL)

% --------------------------------------------------

% INPUTS -------------------------------------------------

% L – column vector (N×1) of historical area-load values

% TL – column vector (N×1) of the corresponding transfer-limit values

%

% OUTPUTS ------------------------------------------------

% X1, X2 – evaluation grid (load, TL) for plotting / lookup

% fJoint – matrix of joint-pdf estimates at each (X1(i,j), X2(i,j))

%% 1. Load or assign your data ------------------------------------------

% Replace these with your actual vectors

L = load('areaLoad_MW.mat' ,'-mat'); % e.g. struct with field L

TL = load('transferLimit_MW.mat','-mat'); % struct with field TL

L = L.L(:); % ensure column shape

TL = TL.TL(:);

data = [L TL]; % N×2 matrix for ksdensity

%% 2. Build an evaluation grid ------------------------------------------

nGrid = 150; % resolution of the grid

x1 = linspace(min(L), max(L), nGrid); % load-axis points

x2 = linspace(min(TL), max(TL), nGrid); % TL-axis points

[X1,X2] = meshgrid(x1,x2);

gridPts = [X1(:) X2(:)]; % flatten for ksdensity

%% 3. 2-D kernel density estimate of the joint PDF -----------------------

% ‘ksdensity’ uses a product Gaussian kernel; bandwidth is

% automatically selected (Silverman’s rule) unless you override it.

f = ksdensity(data, gridPts, ...

          'Function',  'pdf', ...

          'Support',   'unbounded');    % returns vector length nGrid^2

fJoint = reshape(f, nGrid, nGrid); % back to 2-D matrix

%% 4. (Optional) Plot the surface ----------------------------------------

figure;

surf(X1, X2, fJoint, 'EdgeColor', 'none');

xlabel('Area Load (MW)');

ylabel('Transfer Limit (MW)');

zlabel('Joint PDF f_{L,TL}(l, tl)');

title('Kernel Joint-PDF of Transfer Limit vs. Load');

view([30 40]); % nice 3-D viewing angle

colormap parula

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Filler text (0.5): --------------------------------------------------
  • Filler text (0): -------------------------------------------------
  • Filler text (0): ------------------------------------------------
  • Filler text (0): ------------------------------------------
  • Filler text (0): ------------------------------------------
  • Filler text (0): -----------------------
  • Filler text (0): ----------------------------------------
  • Low reputation (1):
Posted by: test

79680851

Date: 2025-06-26 16:26:00
Score: 4
Natty: 6
Report link

The answer was very helpfull , thank you !!

Reasons:
  • Blacklisted phrase (0.5): thank you
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Debangshu Roy

79680840

Date: 2025-06-26 16:15:57
Score: 1
Natty:
Report link

This error usually happens when Odoo tries to import your module but:

🔧 Need smart Odoo solutions for your business?

We specialize in powerful and customized Odoo services to help you automate, scale, and grow your business.

🌐 Visit us today at 👉 www.odoie.com
💼 Let's build your digital future — faster and smarter with Odoo!

Reasons:
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Mubeen Ahmed

79680834

Date: 2025-06-26 16:13:57
Score: 0.5
Natty:
Report link

The fast, concise, pythonic way to do this is with a list comprehension.

>>> l2
['a', 'b', 'c', 'd']
>>> [i for i in l2 if i != 'a']
['b', 'c', 'd']
Reasons:
  • Low length (1):
  • Has code block (-0.5):
Posted by: James Bradbury

79680827

Date: 2025-06-26 16:05:54
Score: 1.5
Natty:
Report link

The most simple way is to use the action Set color of cells in Excel worksheet and set the color to "Transparent".

PAD action configuration

Alternately, you can use the Send keys action to select the row and then change the fill.

Reasons:
  • Whitelisted phrase (-1.5): you can use
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Degan

79680821

Date: 2025-06-26 16:02:52
Score: 1
Natty:
Report link

import random class character: def _init_(self, name, health, attack_power, has_prosthetic_leg=true): self.name = name self.health = health self.attack_power = attack_power self.has_prosthetic_leg = has_prosthetic_leg self.dinar = 0 def attack(self, other): damage = random.randint(0, self.attack_power) other.health -= damage print(f"{self.name} attacks {other.name} for {damage} damage!") print(f"{other.name}'s health: {other.health}") def is_alive(self): return self.health > 0 def use_special_sword(self): print(f"{self.name} uses the special katana to rewind time!") self.health += 20 # örnek olarak sağlığı artırma print(f"{self.name}'s health is now: {self.health}") class enemy: def _init_(self, name, health, attack_power): self.name = name self.health = health self.attack_power = attack_power def battle(sabri, enemy): while sabri.is_alive() and enemy.health > 0: sabri.attack(enemy) if enemy.health > 0: enemy_damage = random.randint(0, enemy.attack_power) sabri.health -= enemy_damage print(f"{enemy.name} attacks {sabri.name} for {enemy_damage} damage!") print(f"{sabri.name}'s health: {sabri.health}") if sabri.is_alive(): print(f"{enemy.name} has been defeated!") sabri.dinar += 10 print(f"you earned 10 sabri eş parası! total: {sabri.dinar}") else: print(f"{sabri.name} has been defeated! game over.") def main(): sabri = character("sabri", 100, 20) asya = character("asya", 80, 15) enemies = [ enemy("uzaylı savaşçı", 60, 15), enemy("uzaylı lider", 80, 20), ] print("sabri and asya are on a quest to save the world from aliens!") for enemy in enemies: print(f"a {enemy.name} appears!") battle(sabri, enemy) if not sabri.is_alive(): break if sabri.is_alive(): print("sabri has defeated all enemies and saved the world together with asya!") else: print("the world remains in danger...") # zamana geri alma yeteneği if sabri.health < 100: print(f"{sabri.name} decides to rewind time using the special katana...") sabri.use_special_sword() if _name_ == "_main_": main() bu koddan oyun yap

Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Deniz Göl

79680818

Date: 2025-06-26 16:01:52
Score: 2
Natty:
Report link

Manage to make it work by adding this to build/conf/local.conf, it's a bit better as I am not touching openembedded files.

FORTRAN:forcevariable = ",fortran"
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: artur

79680812

Date: 2025-06-26 15:56:50
Score: 3.5
Natty:
Report link

Do not overlook setting the Multiline property of the textbox to True

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

79680803

Date: 2025-06-26 15:51:49
Score: 2
Natty:
Report link

I encountered the same warning, and stack trace showed that the warning came from gradle plugin, but it only occured in sync process, not in build. For my project, I using gradle wrapper 8.10.2, and gradle plugin 8.8.0 - which was the maximum compatible version. The warning could be ignored cause I got no errors and just make sure that the compatibility of gradle wrapper and gradle plugin, i guess!

Reasons:
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Le Hoang Minh Quan B2206008

79680800

Date: 2025-06-26 15:49:48
Score: 3
Natty:
Report link

I faced the same issue but in react native because of my images resolution is high, so check resolution of your image once and try compressing image size it might help.

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

79680796

Date: 2025-06-26 15:46:47
Score: 1
Natty:
Report link

Create a composition (comp) function.

def increment(x):
    return x + 1

def double(x):
    return x * 2

def comp(f, g):
    return lambda x: g(f(x))

double_and_increment = comp(double, increment)

print(double_and_increment(5))
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Leonardo Lucena

79680795

Date: 2025-06-26 15:46:46
Score: 5
Natty:
Report link

enter image description here

Difference between Write-Back and Write-Through

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Md. Farid Hossen Rehad

79680791

Date: 2025-06-26 15:44:46
Score: 2
Natty:
Report link

I just got that message working on a flutter app...it may be OS Sequoia being a hater with new security measures...before I updated to Sequoia I could changed audio file pointers inside the apps package contents and the app would still work with the new sounds....I tried this is Sequoia and boom it permanently stopped my app from playing that one sound....even after I changed the sound back...and exported new builds....even with new installs of new versions of the app Sequoia still remembered that file I switched and made the sound mute...yet it works fine on other computers

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

79680789

Date: 2025-06-26 15:44:46
Score: 1
Natty:
Report link

Set alias for different config

alias avim="nvim -u .config/anvim/init.vim"
alias wvim="nvim -u .config/wnvim/init.vim"
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Akilesh

79680780

Date: 2025-06-26 15:40:45
Score: 1
Natty:
Report link
import pandas as pd
from datetime import datetime
import dash
from dash import dcc, html, dash_table
import plotly.graph_objects as go

# Dados
data = {
    'NF': ['17535', '17536'],
    'Qtd Unidades': [308, 1282],
    'Início Sistêmico': [datetime(2024, 6, 24, 10, 15), datetime(2024, 6, 24, 8, 0)],
    'Final Sistêmico': [datetime(2024, 6, 24, 12, 15), datetime(2024, 6, 24, 10, 13)],
    'Início Adequação': [datetime(2024, 6, 24, 13, 15), datetime(2024, 6, 24, 11, 37)],
    'Final Adequação': [datetime(2024, 6, 24, 18, 50), datetime(2024, 6, 24, 17, 2)],
    'Início Amostragem': [datetime(2024, 6, 25, 8, 0), datetime(2024, 6, 24, 17, 3)],
    'Final Amostragem': [datetime(2024, 6, 25, 9, 6), datetime(2024, 6, 24, 17, 56)],
}

df = pd.DataFrame(data)

# Cálculos
df['Tempo Total Processo'] = df['Final Amostragem'] - df['Início Sistêmico']
df['Tempo Adequação'] = df['Final Adequação'] - df['Início Adequação']
df['Tempo Amostragem'] = df['Final Amostragem'] - df['Início Amostragem']
df['Produtividade por Pessoa'] = df['Qtd Unidades'] / 3
df['Tempo Total (h)'] = df['Tempo Total Processo'].dt.total_seconds() / 3600
df['Adequação (h)'] = df['Tempo Adequação'].dt.total_seconds() / 3600
df['Amostragem (h)'] = df['Tempo Amostragem'].dt.total_seconds() / 3600

# App
app = dash.Dash(__name__)
app.title = "Dashboard de NFs"

app.layout = html.Div([
    html.H1("Dashboard de Indicadores de NFs", style={"textAlign": "center"}),

    dcc.Graph(
        figure=go.Figure(data=[
            go.Bar(name='Tempo Total (h)', x=df['NF'], y=df['Tempo Total (h)'], marker_color='blue'),
            go.Bar(name='Adequação (h)', x=df['NF'], y=df['Adequação (h)'], marker_color='orange'),
            go.Bar(name='Amostragem (h)', x=df['NF'], y=df['Amostragem (h)'], marker_color='green')
        ]).update_layout(
            barmode='group',
            title='Comparativo de Tempos por NF',
            xaxis_title='NF',
            yaxis_title='Tempo (horas)',
            legend_title='Fase'
        )
    ),

    html.H2("Tabela de Dados"),
    dash_table.DataTable(
        data=df[['NF', 'Qtd Unidades', 'Tempo Total (h)', 'Adequação (h)', 'Amostragem (h)', 'Produtividade por Pessoa']].round(2).to_dict('records'),
        columns=[{"name": i, "id": i} for i in ['NF', 'Qtd Unidades', 'Tempo Total (h)', 'Adequação (h)', 'Amostragem (h)', 'Produtividade por Pessoa']],
        style_table={'overflowX': 'auto'},
        style_cell={'textAlign': 'center'},
        style_header={'fontWeight': 'bold'},
    )
])

if __name__ == '__main__':
    app.run_server(debug=True)
Reasons:
  • Blacklisted phrase (1): de Dados
  • Long answer (-1):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: user30901313

79680772

Date: 2025-06-26 15:35:43
Score: 2.5
Natty:
Report link

Nevermind, I found the answer : Load dataset from "R" package using data(), assign it directly to a variable?

Simply add this to global.R :

getdata <- function(...)
{
  e <- new.env()
  name <- data(..., envir = e)[1]
  e[[name]]
}

mydata <- getdata("mydata")

Works perfectly !

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

79680766

Date: 2025-06-26 15:32:42
Score: 1
Natty:
Report link

try some tips below and tell me if that works

Restart your computer and relaunch the project

This might seem basic, but a simple restart of your computer and a relaunch of your Flutter project can sometimes resolve temporary issues related to the development environment.Try also to upgrade flutter with : flutter upgrade.

Delete the android folder and rebuild the project (if the project isn't too advanced)

If the first step doesn't work and your project isn't overly complex (meaning you haven't made deep Android-specific modifications), you can try deleting the android folder at the root of your Flutter project.

After deleting it, open your terminal in your project's directory and run the following command:

flutter create .

It will recreate the android folder

Provide more details about the error

If none of the above solutions work, we'll need more information to diagnose the problem. Could you please:

Copy and paste the full error message you're getting in your terminal or IDE.

Indicate the Flutter version you're using (flutter --version).

Specify any recent changes you might have made to your project or environment.

This additional information will help us pinpoint the exact cause of the build failure.

Thanks !

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • RegEx Blacklisted phrase (1): help us
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Nistroy

79680740

Date: 2025-06-26 15:10:36
Score: 2.5
Natty:
Report link

That means that if you define in the child an execution with different ID from the parent one, it wont inherite the Goals and configuration of the execution in the parent pom. You will instead have 2 executions in the child.

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

79680739

Date: 2025-06-26 15:10:36
Score: 3
Natty:
Report link

I’ve created a library that does what you’re looking for: https://github.com/lexa-diky/ktor-openapi-validator. It’s still in the early stages, but it runs smoothly on my company’s projects. Feel free to suggest any improvements!

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

79680738

Date: 2025-06-26 15:08:36
Score: 2
Natty:
Report link

My screenshot (Figma edited) was not validated for any sizes showed on the documentation for iPhone. But I missed one thing : You also have to remove transparency !

Do it directly on your Mac or use an online tool like https://onlinepngtools.com/remove-alpha-channel-from-png

The size working for me for iPhone was 1320 x 2688 with a PNG file.

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

79680737

Date: 2025-06-26 15:08:36
Score: 2.5
Natty:
Report link

Your code is correct. You need to assign an RBAC role to your authenticated user against an AI Foundry project. It has to be Cognitive Services Contributor or Cognitive Services OpenAI Contributor.

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

79680736

Date: 2025-06-26 15:07:36
Score: 1.5
Natty:
Report link

Good improvement on the tax logic!

One thing to note for anyone working on salary calculators: real-world tax systems (like in Italy or Germany) include multiple layers like progressive brackets, social contributions, and sometimes regional taxes. So while this kind of flat logic is great for learning, a production version needs a bit more complexity.

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

79680727

Date: 2025-06-26 15:01:34
Score: 2.5
Natty:
Report link

Having this issue and none of the steps so far worked. The web host was able to test and confirm the site is working elsewhere. Error is 403 Forbidden


nginx

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

79680725

Date: 2025-06-26 15:00:34
Score: 3
Natty:
Report link

When performing a local deployment with Deployment Units, make sure to set the “Include GAM Backoffice” option.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): When
  • Low reputation (0.5):
Posted by: ealmeida

79680708

Date: 2025-06-26 14:50:30
Score: 0.5
Natty:
Report link

The accepted answer doesn't account for AM/PM time strings. For this, ensure the HH in the format string are capitalized which denotes an hour range between 0 and 23.

const d = dayjs(dd).add(1, "day").format("YYYY-MM-DDTHH:mm")
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Keegan Teetaert

79680707

Date: 2025-06-26 14:49:30
Score: 0.5
Natty:
Report link

To resolve the issue with the Follow Up Boss pixel not working on your WordPress site via WPCode, follow these key steps:

1. Verify WPCode Placement

Ensure the script is added to the Site-Wide Header section in WPCode with priority set to 10. If it doesn’t work, try reducing the priority to 1 or 5 to load it earlier in the <head> tag.

2. Check Page Source

Open your site in a browser and view the page source (Ctrl+U). Look for this line:

<script src="https://widgetbe.com/agent.js" async></script>

If it's missing, the script isn't being injected—confirm that the WPCode snippet is active and set to load site-wide.

3. Use Browser Developer Tools

Open Developer Tools → Network tab → refresh the page. Filter by “Script” and check if agent.js is being loaded. Also, check the Console tab for JavaScript errors.

4. Try Manual Placement

If WPCode fails, place the script directly in your theme’s header.php just before the </head> tag. Use a child theme to prevent it from being overwritten during updates.

5. Disable Conflicting Plugins

Temporarily disable any caching, firewall, or optimization plugins, as they might block external scripts. After changes, clear all caches.

6. Confirm Tracking ID

Double-check the ID in the script:

window.widgetTracker("create", "WT-MEUEPSGZ");

Ensure it matches what Follow Up Boss provided.

7. Test in Private Mode

Use incognito or another browser to ensure it's not a caching or browser extension issue.

8. Optional: Use Google Tag Manager

If script injection still fails, consider adding the code via Google Tag Manager, which offers more control and reliability.

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

79680704

Date: 2025-06-26 14:48:29
Score: 0.5
Natty:
Report link

I was able to solve the problem. I knew that the iOS app is built remotely using the iOS Simulator on the Mac. So, I thought about a version mismatch and checked what iOS Simulator was installed on the Mac. It was the latest one.

I installed every single iOS Simulator that was offered by XCode for download and then it worked :)

Reasons:
  • Whitelisted phrase (-1): it worked
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: BeRo

79680702

Date: 2025-06-26 14:45:28
Score: 4
Natty: 4
Report link

this answer save my live, good solution

https://kashanahmad.me/blog/ionic-fix-streched-splash-screen-on-android/

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

79680699

Date: 2025-06-26 14:44:28
Score: 1.5
Natty:
Report link

You can try COMMAND_EXPAND_LISTS in the add_custom_command command, it was introduced in CMake 3.8 and will expand the lists in the COMMAND argument.

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

79680690

Date: 2025-06-26 14:40:26
Score: 1.5
Natty:
Report link

npm error code ENOENT

npm error syscall open

npm error path C:\Users\user\Downloads\Event_organizer\package.json

npm error errno -4058

npm error enoent Could not read package.json: Error: ENOENT: no such file or directory, open 'C:\Users\user\Downloads\Event_organizer\package.json'

npm error enoent This is related to npm not being able to find a file.

npm error enoent

npm error A complete log of this run can be found in: C:\Users\user\AppData\Local\npm-cache

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

79680687

Date: 2025-06-26 14:38:26
Score: 1
Natty:
Report link

Write-through and Write-back are two cache writing policies.

Write-back uses a dirty bit to track changes, while write-through does not. Write-through is ideal for systems where simplicity and consistency matter; write-back is better when performance is the priority.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Md. Farid Hossen Rehad

79680684

Date: 2025-06-26 14:37:25
Score: 0.5
Natty:
Report link

Other answers provided here did not help (looking for registry entries pointing to missing office exe files in HKCR\TypeLib, reinstalling Office, embedding the interop assembly in the application either via COM or Nuget, changing build from x86 to x64).

Running process monitor, filtering for my application exe and errors, it was showing a lot of PATH NOT FOUND errors looking for vbe6ext.olb. I found it in

C:\Program Files\Microsoft Office\root\vfs\ProgramFilesCommonX86\Microsoft Shared\VBA\VBA6

I copied it to C:\Windows\System32 (one of the locations where Process Monitor was showing that the app was looking for this file), and this resolved the issue for me.

Register the type library using regtlibv12.exe would probably be an even more precise solution, but the above was enough for my app to work again.

Note: for 32-bit apps on 64-bit Windows, the correct folder to copy it would be SysWOW64.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: László L. L.

79680680

Date: 2025-06-26 14:36:25
Score: 2
Natty:
Report link

You don't need to specify the exclustion if the only difference is the version.
And yes using depManagement in this case is the better solution. You can declare the newer version directly as a dependency but it will break stuff like dependency:tree.

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

79680674

Date: 2025-06-26 14:35:25
Score: 2.5
Natty:
Report link

I was able to resolve the issue by updating this line

from this
app.get('*', (req, res) => {

to "app.get('/{*any}', (req, res) => {"

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

79680673

Date: 2025-06-26 14:32:24
Score: 0.5
Natty:
Report link

Recently I developed an application that allows easy conversion over over 47,000 svg icons into png from a few MIT licensed libraries. https://github.com/skamradt/SVGIconViewer. Full delphi source is available, and I have plans to continue to add new icons and features that make using these libraries easier.

Reasons:
  • Contains signature (1):
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • High reputation (-2):
Posted by: skamradt

79680670

Date: 2025-06-26 14:29:23
Score: 9 🚩
Natty: 4.5
Report link

I have the same error, and I have been doing everything step by step. Last week all was good, but this week when I have to record my demo of how I use Chainlink Function, I keep getting the same error with gas. Yes, I did copy the deployed contract and created the subscription. and all. Please help.

Reasons:
  • RegEx Blacklisted phrase (3): Please help
  • RegEx Blacklisted phrase (1): I have the same error
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I have the same error
  • Me too answer (0): getting the same error
  • Single line (0.5):
  • Low reputation (1):
Posted by: Magda

79680658

Date: 2025-06-26 14:21:20
Score: 3
Natty:
Report link

This really isn't as crazy as you made him out to be. I'd love to have it say "Yesterday" and have it default to yesterday (or actually have it default to a custom date I can set - the previous trade date)

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

79680654

Date: 2025-06-26 14:17:18
Score: 4
Natty: 5
Report link

At the time being, this is not possible, cp. https://github.com/r-lib/roxygen2/issues/685

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

79680631

Date: 2025-06-26 14:00:13
Score: 4
Natty:
Report link

On React 19.1 + pure-react-carousel 1.32.0, I have the same error RangeError: Maximum call stack size exceeded...

<CarouselProvider
       naturalSlideWidth={100}
       naturalSlideHeight={105}
       totalSlides={dataItemsLength}>
            <Slider>
                <Slide index={0}>First Slide</Slide>
                <Slide index={1}>Second Slide</Slide>
                <Slide index={2}>Third Slide</Slide>
            </Slider>
            <DotGroup />
</CarouselProvider>
Reasons:
  • RegEx Blacklisted phrase (1): I have the same error
  • Has code block (-0.5):
  • Me too answer (2.5): I have the same error
  • Low reputation (1):
Posted by: Alexander Stepanishchev

79680624

Date: 2025-06-26 13:55:12
Score: 1
Natty:
Report link

The key is to pass the --wait argument. On Mac and Linux you can configure EDITOR="idea --wait" . That will open the file in Intellij and you can close it afterwards with the Close Tab action (Ctrl+F4).

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

79680610

Date: 2025-06-26 13:47:09
Score: 1
Natty:
Report link

Power BI Embedded does not support full XMLA read/write Power BI Embedded currently does NOT support XMLA Endpoint (read/write) like Power BI Premium.

Power BI Embedded (A SKUs like A1, A2...) only supports XMLA read-only (if enabled).

The function of deploying models via Visual Studio/Tabular Editor requires XMLA read/write, so you get the error.

You can check the XMLA support status in capacity settings here:

Log in to Power BI Admin Portal

Go to Capacity settings

Select the Embedded capacity you are using

Look for “XMLA endpoint”: you will see that it only supports read-only.

You can try

Using Power BI Premium (P SKU or F SKU)

If you want to deploy AAS/tabular models directly from Visual Studio or the Tabular Editor, you must use a workspace assigned to a Power BI Premium capacity (P or F SKU) — as only these SKUs fully support XMLA read/write.

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

79680608

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

In Sequoia 15.5 for example, you have to type "Function keys" in the System Settings help.

And then you can just use "F10" and so on

enter image description here

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

79680602

Date: 2025-06-26 13:44:08
Score: 2
Natty:
Report link

If the css is being included via .css files, you could add *.css to your .gitignore or in your SCM of choice.

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

79680598

Date: 2025-06-26 13:42:08
Score: 3
Natty:
Report link

The is a connector issue. Start wsconfig. Remove the site and readd it to rebuild the connector. Then restart the coldsuion service. site will coime back up.

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

79680581

Date: 2025-06-26 13:32:05
Score: 1.5
Natty:
Report link

You can create a custom tabBarButton component, as @furkan mentioned, and disable the Android ripple effect.

const tabBarButton = ({ children, onPress }: BottomTabBarButtonProps) => (
  <Pressable
    onPress={onPress}
    style={{ justifyContent: 'center', alignItems: 'center' }}
    android_ripple={{
      foreground: true,
    }}
  >
    {children}
  </Pressable>
);
Reasons:
  • Has code block (-0.5):
  • User mentioned (1): @furkan
  • Low reputation (1):
Posted by: Ashley Ngoetjana

79680577

Date: 2025-06-26 13:31:05
Score: 2
Natty:
Report link

Thanks for sharing the issue — to resolve this issue you can try to follow these steps:

  1. Use Relative Paths with SCSS Interpolation
    Wrap your asset path in #{ } to prevent Angular's build system from processing the URL at compile time. This ensures the path remains unchanged in the final CSS:

    content: url(#{'vx-grid-assets/icons/indeterminate-box.svg'});
    

    This syntax bypasses Angular's path resolution during build while preserving the correct relative path for runtime.

  2. Verify Asset Configuration
    Ensure your angular.json correctly maps assets to the output directory:

    {
      "glob": "**/*",
      "input": "./common-libraries/vx-grid/vx-grid-resources/assets",
      "output": "vx-grid-assets"
    }
    

    This copies assets to dist/vx-grid-assets/ during build.

  3. Deployment to Salesforce
    Since Salesforce serves static resources from a unique base path (e.g., /resource//), relative paths like vx-grid-assets/... will resolve correctly at runtime. Avoid absolute paths (e.g., /vx-grid-assets/...), as they break in Salesforce's environment.

Why This Works

Example Implementation

// Component SCSS
.my-icon {
  &::before {
    content: url(#{'vx-grid-assets/icons/indeterminate-box.svg'});
    width: 16px;
    height: 16px;
  }
}

Troubleshooting

This approach balances Angular’s build requirements with Salesforce’s static resource constraints, ensuring icons load in both environments.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (2): Thanks for sharing
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Malva

79680573

Date: 2025-06-26 13:30:05
Score: 1.5
Natty:
Report link

I tried closing and reopening the pull request (as suggested by Bernat), but that didn’t fix the issue. It remained stuck. The process only exited the “loop” after I modified an unrelated line in the action file, committed the change, and pushed it to GitHub. After that, the pull request automatically re-ran all the required checks, including the one that had previously been stuck.

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

79680567

Date: 2025-06-26 13:24:02
Score: 0.5
Natty:
Report link

Even better, simply use format to replace <placeholder> with formatted string right in the cursor.execute.

Not sure of the reason but this should in-built into oracledb python package.

cursor.execute(sql_query.format(<PLACEHOLDER>=", ".join([f"\'{x}\'" for x in ['value1','value2','valuen']])))

But I don't like this implementation, it's just a workaround.

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

79680562

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

In case it helps anyone

I faced the same issue using Databricks JDBC with Kafka Connect in Docker container while using VPN, as soon as I disabled Strict Route in my VPN inbound options connection established alright

Reasons:
  • Low length (0.5):
  • No code block (0.5):
Posted by: Slava.In

79680543

Date: 2025-06-26 13:08:56
Score: 5
Natty: 5
Report link

I have tried for last Monday or next Monday but its is not working. value is coming as None. Can you tell me does package supports this type of operations or not because I didn't get any docs related to this.

Reasons:
  • RegEx Blacklisted phrase (2.5): Can you tell me
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Harsh Soni

79680536

Date: 2025-06-26 13:00:54
Score: 1
Natty:
Report link

Does java.util.regex.Pattern, java.util.pattern.Matcher have some "verbatim" mode?

No, Patterns in Java do not have a verbatim or "literal mode" like some other languages. But Java provides an official way to achieve the same effect: using the Pattern.LITERAL flag.

Try to use Pattern.LITERAL:


Pattern pattern = Pattern.compile("\\", Pattern.LITERAL);

Matcher matcher = pattern.matcher("\\");

boolean hasMatch = matcher.find();

assertTrue(hasMatch);

assertEquals("\\", matcher.group());

Reasons:
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Hien Nguyen Thi

79680533

Date: 2025-06-26 12:59:54
Score: 2.5
Natty:
Report link

Thanks for sharing the issue — you're not alone! The "Skill Level Maximum Error" and "Skill Level Probability" options were available in older versions of Stockfish like Stockfish 8, but they’ve been deprecated in modern builds (including stockfish.wasm, like the one used in lichess-org/stockfish.js).

The correct and supported option in recent versions is:


stockfish.postMessage("setoption name Skill Level value 1");

Recommendation:

If you're using lichess-org/stockfish.js, it compiles a modern stockfish.wasm, where only "Skill Level" and "Depth" are reliable for weakening play.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (2): Thanks for sharing
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Mahira

79680532

Date: 2025-06-26 12:58:54
Score: 1
Natty:
Report link

sorry but i have te same problem with provider network for physical network i edited de ml2 conf but when i create a new network :

openstack network create  --share --external \
  --provider-physical-network provider \
  --provider-network-type flat provider

I still have this error :

openstack network create  --share --external \
  --provider-physical-network provider \
  --provider-network-type flat provider
Error while executing command: BadRequestException: 400, Invalid input for operation: physical_network 'provider' unknown for flat provider network.
Reasons:
  • RegEx Blacklisted phrase (1): I still have this error
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Labo

79680530

Date: 2025-06-26 12:57:53
Score: 1
Natty:
Report link

It's Spring Boot that overrides the Groovy version.

Set groovy.version=4.0.27 in gradle.properties to override it.

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

79680523

Date: 2025-06-26 12:54:52
Score: 1
Natty:
Report link

I had the similar issue but I already had @EnableScheduling in place, in this case it was caused by miss-placing the @EnableScheduling automation.

The annotation apparently has to be placed on configuration class, so I moved it to configuration class and it works.

@AutoConfiguration
@EnableScheduling
class SomeConfigurationClass() {..}

class ClassWithScheduledTask() {
    @Scheduled(fixedRate = 10, timeUnit = TimeUnit.Minutes)
    fun thisIsScheduled() {..}
}

Worked also if the annotation was moved to the application class, but as the scheduler was shared among more apps, I found it more nice to have it on the configuration class.

@SpringBootApplication
@EnableScheduling
class SomeApp() {..}
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @EnableScheduling
  • Low reputation (1):
Posted by: Filip Jeřábek

79680515

Date: 2025-06-26 12:48:51
Score: 1
Natty:
Report link

There are several ways to undo the most recent commits in Git depending on whether you want to keep the changes or delete them entirely.

# 1. Undo the last commit but keep the changes in your working directory

git reset --soft HEAD~1

The last commit is undone.

All changes from that commit stay staged (in index).

If you want them unstaged (just in working dir), use:

git reset HEAD~1

# 2. Undo the last commit and discard the changes completely

git reset --hard HEAD~1

This will delete the last commit and its changes from your working directory.

# 3. Undo multiple commits (e.g., last 3 commits)

git reset --hard HEAD~3

Or keep the changes:

git reset --soft HEAD~3

# 4. If the commits are already pushed, use git revert instead

To undo a pushed commit safely (without rewriting history):

git revert HEAD

This will create a new commit that "reverses" the changes made by the last one.

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

79680511

Date: 2025-06-26 12:44:50
Score: 0.5
Natty:
Report link

As the Error schows you are using Gradle 9. React Native 0.76.9 uses Gradle 8.11.1.

Please change your Gradle version in android/gradle/wrapper/gradle-wrapper.properties. Your line should look somethin like this:

distributionUrl=https\://services.gradle.org/distributions/gradle-8.11.1-all.zip

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

79680502

Date: 2025-06-26 12:37:47
Score: 2
Natty:
Report link

//C# Solução *.csproj - .NETFramework,Version=v4.8 -

namespace XXXXXXXXX
{
    partial class XXXXXXXXX : ServiceBase
    {
        private readonly ...;

        public XXXXXXXXX()
        {
            InitializeComponent();
            AppContext.SetSwitch("Switch.System.Security.Cryptography.Xml.UseInsecureHashAlgorithms", true);
            AppContext.SetSwitch("Switch.System.Security.Cryptography.Pkcs.UseInsecureHashAlgorithms", true);
            AppDomain.CurrentDomain.UnhandledException += OnError;
    }
    ...
    ...
    }
}
Reasons:
  • Blacklisted phrase (2): Solução
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: JP Guerreiro

79680499

Date: 2025-06-26 12:36:47
Score: 1
Natty:
Report link
def needs_encoding(s):
    # Checking for escape sequences or non-ASCII characters
    if re.search(r"\\u[0-9a-fA-F]{4}", s) or any(ord(c) > 127 for c in s):
        return True
    return False
data = "my string"
if needs_encoding(data):
    data = data.encode("utf-8").decode("unicode_escape")
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: eurodoo Eurodoocom

79680494

Date: 2025-06-26 12:34:46
Score: 0.5
Natty:
Report link

I had the same issue, I created a new Formula property with the following formula

(prop("Sub-project").map(current.prop("Completion")+1).sum() - length(prop("Sub-project")))/length(prop("Sub-project"))

The plus 1 in the map is needed because the map will otherwise return an Empty as list item if the subproject has no tasks assigned yet.

enter image description here

Reasons:
  • Whitelisted phrase (-1): I had the same
  • Probably link only (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: ParticleInBox

79680490

Date: 2025-06-26 12:30:45
Score: 0.5
Natty:
Report link
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: sparkJ

79680488

Date: 2025-06-26 12:28:44
Score: 2.5
Natty:
Report link

sir, can you please explain, how to add Tanstack Query in this code:

// React Router v7
import type { Route } from "./+types/home";
import { prisma } from "../db";

export function meta({}: Route.MetaArgs) {
  return [
    { title: "New React Router App" },
    { name: "description", content: "Welcome to React Router!" },
  ];
}

export const loader = async ({ params }: Route.LoaderArgs) => {
  return await prisma.user.findFirst()
}

export function Home({ loaderData }: Route.ComponentProps) {
  const user = loaderData;
  return (
    <>
      <div className="flex flex-col justify-center items-center min-h-screen">
        <p>User name: {user?.name}</p>
        <p>User email: {user?.email}</p>
      </div>
    </>
  );
}

Here the loader is server fucntion, all works great. But without caching/revalidate on page reload, etc

Reasons:
  • RegEx Blacklisted phrase (2.5): can you please explain
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Ramil Yabbarov

79680478

Date: 2025-06-26 12:23:43
Score: 0.5
Natty:
Report link

There could be many reasons why this is happening, but the first thing to do is to check how the training and validation dataset are built.

  1. Is the dataset balanced? You said there are 5000 saples for 5 classes, but are they balanced? If, for example, the first class cover the 80% of your samples you may have this kind of overfitting behaviour.

  2. Are tre training and validation sets equally split? If each class rougly represent a 1/5 of your samples (i.e. the classes are balanced), is this proportion preserverd in the training and validation set? It is not mandatory to have the exact percentages, but if in your training set class 5 only appear for the 1% of the samples and in the validation set you have a 20%, this again could explain your overfitting.

If the dataset is fine, you could try also to regularize the inputs before passing them into your network. If this is still is not enough, you can then focus on the network.

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

79680451

Date: 2025-06-26 12:04:38
Score: 3
Natty:
Report link

Need an suggestion or help for the below queries?

  1. Can Containers created using podman, have any integration scope with Checkpoint firewall?

  2. Can Containers created using podman, have any integration scope with Cisco SDN?

  3. Can Containers created using podman, have any integration scope with Crowdstrike Falcon?

Need your expert opinion for that.

Regards

Asif

Reasons:
  • Blacklisted phrase (1): Regards
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Learner

79680450

Date: 2025-06-26 12:03:38
Score: 5.5
Natty: 5.5
Report link

How did you transfer Nintex Workflow Scheduler to WFE, in my case it is always installed on APP?

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

79680445

Date: 2025-06-26 12:00:37
Score: 2
Natty:
Report link

I just found that it's in the directory of .vscode, which is probably ignored by spell checker. If I create a markdown file anywhere else, it is effective.

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

79680433

Date: 2025-06-26 11:51:34
Score: 5
Natty:
Report link

<string>$(AppIdentifierPrefix)com.microsoft.adalcache</string>

Still faceing same issue after enable in enetitlement.plist file

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): faceing same issue
  • Low reputation (1):
Posted by: Awaneesh Kumar

79680428

Date: 2025-06-26 11:47:33
Score: 2
Natty:
Report link

As of now, it's not possible. Best thing you can have is default pipeline that runs always ...

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

79680420

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

Imagine a scenario in which a hotel has rooms, each capable of accommodating Y guests. When X number of guests arrive at the hotel, we need to determine the minimum number of rooms required to house all X individuals without exceeding the room capacity.

This can be calculated using the function CEILING(X, Y), which rounds up the result of dividing the total number of guests by the room capacity. It ensures that no guest is left without accommodation, even if the division does not yield a whole number.

Example: If there are 5 guests (X = 5) and each room can accommodate 2 people (Y = 2), then:

CEILING(5, 2) = 3

Therefore, a minimum of 3 rooms would be needed to accommodate all 5 guests.

For example, the same goes with memory instead of the hotel, each block has a maximum Y bytes that can be accommodated, and the CEILING will give you the answer to how many blocks at least you need to accommodate X bytes.

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

79680417

Date: 2025-06-26 11:40:31
Score: 5
Natty: 4.5
Report link

I want to come back to this question. Still looking for a Notebook or card-reader showing me the SD-Card under /sys/block/mmcblkX (Ubuntu Server 24.04.2 LTS)
Have tried several Notebooks, i.e Lenovo X201 - this Notebook has a RTS5159 - but the SD-card is only visible under /sys/block/sdX.

Can someone confirm ?

Reasons:
  • RegEx Blacklisted phrase (1): I want
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: scheffer

79680390

Date: 2025-06-26 11:24:26
Score: 3.5
Natty:
Report link

Its not available in open source, only available to google.com

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

79680383

Date: 2025-06-26 11:22:25
Score: 5.5
Natty:
Report link

I have the same issue with dlp discovery for cloud storage. The discoveryconfig was created, and keep in Running status, but scan isnt starting. I created the discover by gcp console. The scope in this case is organization level, but when i create the same discovery at project level starting without problems. Two weeks ago, this works well.

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

79680379

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

Sending:

{"registerUploadRequest":{"owner":"12345667","recipes":["urn:li:digitalmediaRecipe:feedshare-document"],"serviceRelationships":[{"relationshipType":"OWNER","identifier":"urn:li:userGeneratedContent"}],"supportedUploadMechanism":{"com.linkedin.digitalmedia.uploading.MultipartUploadMechanism":{}},"mediaType":"application\/pdf"}}

I keep getting this error:

{"status":403,"serviceErrorCode":100,"code":"ACCESS_DENIED","message":"Unpermitted fields present in REQUEST_BODY: Data Processing Exception while processing fields [/registerUploadRequest/mediaType]"}

I have tried many things, I have the w_member_social permission.

Is there anyone who knows more about this? Even AI gave up :-)

Reasons:
  • Blacklisted phrase (1): Is there any
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Rmn

79680374

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

To reset the RESETSEQ attribute of channel:

runmqsc QM
RESET CHANNEL(chl) SEQNUM(NO)

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Hari Krishna Priya T

79680369

Date: 2025-06-26 11:12:22
Score: 2.5
Natty:
Report link

I think one major difference is in Logging. While GKE Logs are seamlessly sent to Cloud Logging, EKS Logs need to be configured to be sent to AWS CloudWatch with Fluentd or Fluentbit.

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

79680364

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

I'm facing the same problem here, what can I do to run the tests using the command that you added here?

npm test --TAGS="@smoke" || true

So far this is my config.

cucumber.js

module.exports = {
  timeout: 30000,
  use: {
    actionTimeout: 30000,
    navigationTimeout: 120000
  },
  default: {
    // tags: process.env.TAGS || process.env.npm_config_tags || '',
    paths: ['src/test/features/'],
    require: ['src/test/steps/*.js', 'src/hooks/hooks.js'],
    format: [
      'progress-bar',
      'html:test-results/cucumber-report.html',
      'json:test-results/cucumber-report.json',
      'rerun:@rerun.txt'
    ],
    formatOptions: { snippetInterface: 'async-await' },
    publishQuiet: true,
    dryRun: false,
    parallel: 1
  },
  rerun: {
    require: ['src/test/steps/*.js', 'src/hooks/hooks.js'],
    format: [
      'progress-bar',
      'html:test-results/cucumber-report-rerun.html',
      'json:test-results/cucumber-report-rerun.json',
      'rerun:@rerun.txt'
    ],
    formatOptions: { snippetInterface: 'async-await' },
    publishQuiet: true,
    dryRun: false,
    paths: ['@rerun.txt'],
    parallel: 1
  }
};
package.json

{
  "name": "playwright_cucumber_automation",
  "version": "1.0.0",
  "description": "",
  "main": "index.js",
  "scripts": {
    "pretest": "node src/helper/report/init.js",
    "test": "cucumber-js --config=config/cucumber.js|| exit 0",
    "clean": "rm -rf test-results",
    "test_siva": "cross-env ENV=prod FORCE_COLOR=0 cucumber-js --config=config/cucumber.js || true",
    "report": "node src/helper/report/report.js",
    "test:failed": "cucumber-js -p rerun @rerun.txt"
  },
  "keywords": [
    "cucumber",
    "cucumber-js",
    "Playwright-cucumber"
  ],
  "author": "Siva Kumar",
  "license": "ISC",
  "devDependencies": {
    "@cucumber/cucumber": "^11.3.0",
    "@playwright/test": "^1.53.0",
    "@types/node": "^24.0.3",
    "chromedriver": "^137.0.3",
    "geckodriver": "^5.0.0",
    "multiple-cucumber-html-reporter": "^3.9.2",
    "playwright-bdd": "^8.3.0"
  },
  "dependencies": {
    "fs-extra": "^11.3.0",
    "winston": "^3.17.0"
  }
}
Reasons:
  • Blacklisted phrase (1): can I do
  • Blacklisted phrase (1): m facing the same problem
  • Blacklisted phrase (1): what can I do
  • Long answer (-1):
  • Has code block (-0.5):
  • Me too answer (2.5): I'm facing the same problem
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: Bruno Lorena

79680363

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

You can try the desired effect by layering two containers in a Stack: the bottom one uses a vertical LinearGradient, and the top one applies a centered RadialGradient with transparency.

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

79680355

Date: 2025-06-26 11:03:18
Score: 3.5
Natty:
Report link

You need to add the Capability in jour app.json/app.config.js if you use eas:

https://docs.expo.dev/build-reference/ios-capabilities/

and

https://docs.expo.dev/versions/latest/config/app/#entitlements

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

79680339

Date: 2025-06-26 10:53:16
Score: 2.5
Natty:
Report link

I am able to get it working. Posting my solution in case anyone face similar issue.

Here is how my model code looks like

    public function rules()
    {
        return
        [
            ['code','validateCaseInsensitive']
        ];
    }

    public function validateCaseInsensitive($attribute, $params)
    {
        $query = self::find()
            ->where('LOWER(code) = LOWER(:code)', [':code' => strtolower($this->$attribute)]);

        // Exclude current record on update
        if (!$this->isNewRecord) {
            $query->andWhere(['<>', 'id', $this->id]);
        }
        
        if ($query->exists()) {
            $this->addError($attribute, 'Code already exists.');
        }
    }
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): face similar issue
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: DevD

79680338

Date: 2025-06-26 10:51:15
Score: 2
Natty:
Report link

Just got it. In first page:

basket.var_name

page.go('/second_page')

In second page:

print(basket.get('var_name'))

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

79680336

Date: 2025-06-26 10:48:14
Score: 4
Natty: 4
Report link

It's caused by YOUTUBE VIDEO DOWNLOAD add-on, as seen in Firefox through Developer Tools.

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

79680334

Date: 2025-06-26 10:48:14
Score: 4
Natty:
Report link

@yourquestion: yes, you probably are :) but if you place every expression in a init- or set-variables block all by themselves and try to run it that way, you'll probably end up with the variable not being produced the correct way. So:

  1. init var block 1
@replace(split(item(),':')[0],'"','')

2. init var block 2

@replace(split(item(),':')1,'"','')

etc.

This way you can extract the expression producing error and fix exactly that. Does that help?

Reasons:
  • Has code block (-0.5):
  • Ends in question mark (2):
  • User mentioned (1): @yourquestion
  • Looks like a comment (1):
  • Low reputation (0.5):
Posted by: Jonathan

79680321

Date: 2025-06-26 10:37:11
Score: 1.5
Natty:
Report link
- |
    if [ "$PHP_VERSION" = "7.4" ]; then
      composer install
      composer bin all install
    else
      composer update
      composer bin all install
    fi
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Priyanshu Chaturvedi

79680316

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

I had a quick go at this as well. This option is also based on the example on the homepage

The key difference is that the ticks values are evenly spaced on the color bar

additional tick values are added to the top and bottom of the colorbar so that the min and max range are included

import plotly.graph_objects as go
import numpy as np

z = np.array([
    [10, 100.625, 1200.5, 150.625, 2000],
    [5000.625, 60.25, 8.125, 300000, 150.625],
    [2000.5, 300.125, 50., 8.125, 12.5],
    [10.625, 1.25, 3.125, 6000.25, 100.625],
    [0.05, 0.625, 2.5, 50000.625, 10]
])

user_min_tick = 0  # optional user defined minimum tick value
if user_min_tick < np.min(z) or user_min_tick <= 0:
    user_min_tick = np.min(z)  # ensure user_min_tick is not less than the minimum 

zmax = np.max(z)

# mask values below user_min_tick to user_min_tick
z_clipped = np.where(z < user_min_tick, user_min_tick, z)
z_log = np.log10(z_clipped)

log_min = int(np.ceil(np.log10(user_min_tick)))
log_max = int(np.floor(np.log10(zmax)))
tickvals_log = np.arange(log_min, log_max + 1)
tickvals_linear = 10.0 ** tickvals_log

# might want to comment out this section if you don't want colorbar top and tail values adding to the tickvalues
if not np.isclose(zmin_log, tickvals_log[0]):
    tickvals_log = np.insert(tickvals_log, 0, zmin_log)
    tickvals_linear = np.insert(tickvals_linear, 0, user_min_tick)
if not np.isclose(zmax_log, tickvals_log[-1]):
    tickvals_log = np.append(tickvals_log, zmax_log)
    tickvals_linear = np.append(tickvals_linear, zmax)

# format all tick labels the same way
ticktext = [f"{v:,.2e}" for v in tickvals_linear]

fig = go.Figure(go.Heatmap(
    z=z_log,
    zmin=np.log10(user_min_tick),
    zmax=np.log10(zmax),
    colorscale='Viridis',
    colorbar=dict(
        tickmode='array',
        tickvals=tickvals_log,
        ticktext=ticktext,
        title=dict(
            text='Value (log scale)',
            side='right'
        )
    )
))

fig.show()
Reasons:
  • Blacklisted phrase (1): to comment
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Jon

79680299

Date: 2025-06-26 10:22:07
Score: 1
Natty:
Report link

Just copy and past this code

<IfModule mod_rewrite.c>
    RewriteEngine On 
    RewriteRule ^(.*)$ public/$1 [L]
    Options -Indexes
</IfModule>
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Mohammed Abu Faysal

79680298

Date: 2025-06-26 10:22:07
Score: 2.5
Natty:
Report link

You can use this
<input type="date" id="ExpenseDate" oninput="ShowExLORE()" maxlength="100" class="form-control" />

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

79680288

Date: 2025-06-26 10:09:04
Score: 2
Natty:
Report link

Any value is missing also in syntax it will ask for password prompt
for example in below script

New-DbaDatabase -SqlInstance localhost -name newdbtocopy

when omit the '-name' it was prompting for some input/credentials, once I correct it the error disappeared

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

79680281

Date: 2025-06-26 10:03:03
Score: 0.5
Natty:
Report link

I just encountered a similar problem with the same error message. I was able to solve it in code as follows:

import os
os.environ["OPENCV_FFMPEG_READ_ATTEMPTS"] = str(2**18)
import cv2

The rest of the code needed no changes.

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

79680279

Date: 2025-06-26 10:01:01
Score: 4
Natty:
Report link

Thanks to @estus-flask.

inheritAttrs was what I needed - attributes are now passed only to the element with v-bind="$attrs".

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (0.5): I need
  • Low length (1):
  • Has code block (-0.5):
  • User mentioned (1): @estus-flask
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Welnyr

79680268

Date: 2025-06-26 09:52:59
Score: 2
Natty:
Report link

Google’s 2025 update adds a footnote:

Intel N-/U-series chips are “not recommended” due to throttling with the new Jetifier-less Gradle plugin.

Benchmarks at TechCrunch’s I/O 2025 recap show the new KMP multi-platform cache cuts incremental build time 15 % on Ryzen 7 7840U ultrabooks. U.S. federal dev-shops must also pass NIST 800-163 vetting; enabling Android Gradle plugin’s reproducibleBuilds true flag simplifies SBOM generation for that audit.

References

Reasons:
  • Blacklisted phrase (1): StackOverflow
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Ankur Shrivastav

79680266

Date: 2025-06-26 09:49:58
Score: 3.5
Natty:
Report link

By default, the setting framed in red in the screenshot is set to “Automatic” (which doesn't seem to work as you'd expect).

Instead of using: “?feature.enableAadDataPlane=true”, you can simply change the setting to true and it works fine.

enter image description here

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Nicolas Terreaux

79680263

Date: 2025-06-26 09:48:56
Score: 6 🚩
Natty: 4
Report link

I have the same error. But debugger shows me what component was't the component object but promise/observable. Try to log it and check. And yep *ngComponentOutlet is amazing thing.

Reasons:
  • RegEx Blacklisted phrase (1): I have the same error
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I have the same error
  • Single line (0.5):
  • Low reputation (1):
Posted by: Igor Demianiuk

79680260

Date: 2025-06-26 09:44:55
Score: 3
Natty:
Report link

Let's break this down. I assume you are using Metabolism/Wordpress-Bundle which allows Symfony and Wordpress to work together.

Your question is rather hard to read, next time, put code in code blocks.

But it seems you are confusing how routes.yaml is supposed to work.

You currently have (I assume):

controllers: 
  resource: 
    path: ../../src/Controller/ 
    namespace: App\Controller 
    type: annotation

Which is incorrect. You currently have an array of path, namespace and type all in one. Looking at Symfony's docs on routing, it should look like this:

# config/routes/attributes.yaml
controllers:
    resource:
        path: ../../src/Controller/
        namespace: App\Controller
    type: attribute

kernel:
    resource: App\Kernel
    type: attribute

Again, I cannot see the indentation of your controllers: declaration but I assume there is a mistake there. Could you update your question with either a screenshot or a code block of routes.yaml?

Reasons:
  • Blacklisted phrase (1): Could you update
  • Blacklisted phrase (0.5): I cannot
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: Julian Koster

79680255

Date: 2025-06-26 09:43:55
Score: 1
Natty:
Report link

The issue was not within fastapi but the reverse proxy that I didn't know about.
My initial code example worked and also the provided solutions here.
I just had to curl /app/publish instead of /publish

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

79680254

Date: 2025-06-26 09:42:54
Score: 6
Natty: 7
Report link

Can these audio streamed outside AWS env, that is to an external LLM?

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): Can these
  • Low reputation (1):
Posted by: Arun Raj

79680253

Date: 2025-06-26 09:40:53
Score: 3.5
Natty:
Report link

Use openpyxl version 3.1.5 or later, the error with filters has been fixed.

See: https://foss.heptapod.net/openpyxl/openpyxl/-/issues/1967

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

79680246

Date: 2025-06-26 09:35:52
Score: 1
Natty:
Report link

Try use Swap instead of CopyFrom.

ActivityMapInfo = MapInfo; // Crash!!!
ActivityMapInfo.CopyFrom(*MapInfo); // Crash!!!

proto::message::MapInfo temp;  // No problem
tempMapInfo.CopyFrom(*MapInfo);
ActivityMapInfo.Swap(&temp);
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: ChengYu

79680235

Date: 2025-06-26 09:28:49
Score: 4
Natty:
Report link

You have run the system out of memory. The OS is responding to what you did. OOM error is valid.

Is there a reason for this code, because I can't think of any possible reason to do this?

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

79680232

Date: 2025-06-26 09:26:48
Score: 2.5
Natty:
Report link

I know a long time has passed. But I came across this same issue, therefore.. I will leave here the solution if you end up in this forums as I did, hoping it helps.

Select File > Options. Scroll down the main pane on the right. Clear the check box 'Show the Start screen when this application starts'. Click OK. Quit and reopen Excel. Thanks for your feedback, it helps us improve the site.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Elia