79796789

Date: 2025-10-22 13:00:08
Score: 3.5
Natty:
Report link

Yes! There's a Python debugger called pdb just for doing that! check here

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

79796782

Date: 2025-10-22 12:54:07
Score: 2
Natty:
Report link

When available, libraries from web frameworks do this properly, such as http://static.springsource.org/spring/docs/3.0.x/javadoc-api/org/springframework/web/util/UriUtils.html, see Java and RFC 3986 URI encoding

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): When
  • High reputation (-2):
Posted by: tkruse

79796773

Date: 2025-10-22 12:44:04
Score: 1.5
Natty:
Report link

For uv this worked: for me:

uv add "psycopg[binary]"

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

79796772

Date: 2025-10-22 12:43:03
Score: 5
Natty:
Report link

That actually worked! But I don't get why. Yes, it is correct, that I wanted to estimate a man, with the first education level, from an unknown citizen class, who is 20 years old, and his political views are "Reform". But how do the levels work here?

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

79796736

Date: 2025-10-22 12:06:54
Score: 3
Natty:
Report link
@Autowired
@MockitoSpyBean

New version of @SpyBean helped me as well.

Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • User mentioned (1): @SpyBean
  • Low reputation (1):
Posted by: Tom

79796732

Date: 2025-10-22 12:04:53
Score: 1.5
Natty:
Report link

Look for PMA_VERSION in the HTML source of any webpage returned by phpMyAdmin:

enter image description here

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

79796726

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

Simple Solution found

@SpringBootTest(properties = "scheduling.enabled=false")

in the Integration test class and

@ConditionalOnProperty(
    name = "scheduling.enabled",
    havingValue = "true",
    matchIfMissing = true  // default: scheduling is active
)

in the class containing @Scheduled methods.

@EnableScheduling is not affected by this and does not affects this, I moved the annotation back to AppConfig and removed SchedulingConfig.

Reasons:
  • Has code block (-0.5):
  • User mentioned (1): @Scheduled
  • User mentioned (0): @EnableScheduling
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Gunnar

79796706

Date: 2025-10-22 11:28:45
Score: 0.5
Natty:
Report link

I got it working eventually. The issue was that once the events buffer became empty, the uart just stopped transmitting data. In the file SEGGER_SYSVIEW_Conf.h I added the macro for SEGGER_SYSVIEW_ON_EVENT_RECORDED . Here's my final file

#ifndef SEGGER_SYSVIEW_CONF_H
#define SEGGER_SYSVIEW_CONF_H

#if !(defined SEGGER_SYSVIEW_SECTION) && (defined SEGGER_RTT_BUFFER_SECTION)
  #define SEGGER_SYSVIEW_SECTION                  SEGGER_RTT_BUFFER_SECTION
#endif


#define SEGGER_SYSVIEW_USE_INTERNAL_RECORDER 1

#define SEGGER_SYSVIEW_CORE 2

#define SEGGER_SYSVIEW_RTT_BUFFER_SIZE (1024*20)

void SEGGER_SYSVIEW_X_OnEventRecorded(unsigned NumBytes);

#define SEGGER_SYSVIEW_ON_EVENT_RECORDED(NumBytes) SEGGER_SYSVIEW_X_OnEventRecorded(NumBytes)
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Zain Noman

79796704

Date: 2025-10-22 11:27:44
Score: 1
Natty:
Report link
The rewrite destination needs to go to /client/$1 similar to what this fellow did, https://github.com/jeantil/next-9-ts-aliases-workspaces. 

  "rewrites": [
    { "source": "/api/(.*)", "destination": "/server/index.js" },
    { "source": "/(.*)", "destination": "/client/$1" }
  ]
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: M. Wismer

79796701

Date: 2025-10-22 11:21:43
Score: 2
Natty:
Report link

We've had similar issues with multiple jobs at approximately the same time, while their resources were hardly utilized. These could be maintainance updates from Microsoft, which are unfortunately unannounced.

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

79796699

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

One thing I might do is create a persisted and indexed precomputed column to filter on:

FirstNameLastName AS (concat(FirstName, LastName)) PERSISTED

-- …

CREATE NONCLUSTERED INDEX IDX_CustomerContact_FirstNameLastName
    ON dbo.CustomerContact(FirstNameLastName ASC);

Possibly even a second one for LastNameFirstName, since you want to enable both ways.

I would probably also do some further normalisation on these, such as stripping all whitespace, hyphens etc., and whatever else may be relevant for Hebrew specifically. Perhaps do something about diacritics and letter case. Apply the same normalisation to the input.

You could then do something like this:

with OffCon as (
    select Id, concat(FirstName, ' ', LastName) AS CustomerName
    from CustomerContact
    where FirstNameLastName like concat(dbo.Normalise(@CustomerName), '%')
    
    union
    
    select Id, concat(FirstName, ' ', LastName) AS CustomerName
    from CustomerContact
    where LastNameFirstName like concat(dbo.Normalise(@CustomerName), '%')
)
select
    -- …
from BillingInfo B
    inner join OfficeCustomers OffCus on OffCus.Id = B.CustomerId
    inner join OffCon on OffCon.Id = OffCus.ContactId
    -- …

What also seems to be killing you is GN.eMobility. Not sure what to do about that. How fast is it without those joins?

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

79796691

Date: 2025-10-22 11:07:39
Score: 5.5
Natty: 5
Report link

enter image description here

make sure uncheck this box

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

79796687

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

the problem solved in spark 4.0.1 with:

spark.eventLog.enabled=true
spark.eventLog.dir=file:///opt/data/metadata
spark.history.fs.logDirectory=file:///opt/data/history
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Cagri

79796685

Date: 2025-10-22 11:02:38
Score: 2
Natty:
Report link

I guess you need to change the margin of SurvivorLayout?

fun vislaSetRelativeLayoutMargin(systemBar: Insets, layout: RelativeLayout) {
    val params = layout.layoutParams as? ConstraintLayout.LayoutParams ?: return。//maybe more cases

    if (systemBar.left > params.leftMargin) {
        params.leftMargin = systemBar.left
    }
    if (systemBar.top > params.topMargin) {
        params.topMargin = systemBar.top
    }
    if (systemBar.right > params.rightMargin) {
        params.rightMargin = systemBar.right
    }
    if (systemBar.bottom > params.bottomMargin) {
        params.bottomMargin = systemBar.bottom
    }
    layout.layoutParams = params
}
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Jvsun

79796683

Date: 2025-10-22 11:00:37
Score: 2
Natty:
Report link

You can tcpdump the traffic between client and the proxy server IP. 403 usually means the proxy doesn't allow you outbound traffic. Wireshark can show more detail with the captured pcap file

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

79796679

Date: 2025-10-22 10:54:35
Score: 2.5
Natty:
Report link

Now searching for solution for this while I try to move to Bruno from Postman. Found that there is possibility to have global environments.
In Environments choose Global tab instead of Clollection and there you have it.
Currently have Bruno v. 2.13.2
enter image description here

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

79796671

Date: 2025-10-22 10:45:33
Score: 1
Natty:
Report link

Analysis in 2025

The Indexer still is not robust.

The Index is a per project file database, while it doesn't meet the basic database requirement to have a consistent persistent version at any time.

When such index file becomes corrupt, the Indexer function Rebuild in many cases is not able to simply throw away an inconsistent old version, start from zero and perform a consistent rebuild, as it should.

Known reasons for an index file to become corrupt are

  1. Lack of Memory

  2. Connection to a virtual drive with transient lease containing the workspace is lost

The Indexer does not report any of these.

Approaches

  1. Delete related indexer files and rebuild the index.
    Indexer files are

    .metadata/.plugins/org.eclipse.cdt.core/<project>.<n>.pdom
    

    inside the workspace folder.

  2. If first approach does not succeed, the Indexer might be a memory problem.
    The default memory settings in the eclipse configuration file eclipse.ini might be
    -Xms256m
    -Xmx2048m

    You may increase both values by e.g. 100m and repeat approach 1. after restarting eclipse.

This is the summary from related question What do I do when the Eclipse CDT indexer gets stuck?.

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

79796666

Date: 2025-10-22 10:38:32
Score: 1
Natty:
Report link

Just use the url_launcher package from pub.dev

Future openApp() async{

final String filePath = "C:/Home/filepath.exe";
final Uri uri = Uri.file(filePath);

if (!File(uri.toFilePath()).existsSync()) {
  throw Exception('$uri does not exist!');
}
if (!await launchUrl(uri)) {
  throw Exception('Could not launch $uri');
}
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Darius Tron

79796665

Date: 2025-10-22 10:37:31
Score: 1.5
Natty:
Report link

ভালো — বুঝেছি জীবন। আমি তোমার জন্য একটি সম্পূর্ণ, এক-পেইজ JavaScript + HTML5 Canvas 2D Space Shooter গেমের কোড লিখে দিলাম। এটা পিসি টার্গেট করা, কী-বোর্ডে বাম/ডান/স্পেস ব্যবহার করবে। সবকিছু এক ফাইলে পেস্ট করে ব্রাউজারে খুললেই চলে যাবে।

কিভাবে ব্যবহার করবে

  1. নিম্নের সব কোড কপি করে index.html নাম দিয়ে ফাইল বানাও।

  2. ব্রাউজারে খুলো (ডাবল ক্লিক বা Ctrl+O)।

  3. তত্ক্ষণাত খেলতে পারবে — বাম/ডান অ্যারো দিয়ে চলবে, স্পেস দিয়ে শ্যুট।

কোড (একক HTML ফাইল)

<!doctype html>
<html lang="bn">
<head>
  <meta charset="utf-8" />
  <meta name="viewport" content="width=device-width,initial-scale=1" />
  <title>Simple Space Shooter — জীবন</title>
  <style>
    html,body { height:100%; margin:0; background:#000; color:#fff; font-family:system-ui,Segoe UI,Roboto;}
    #game {
      display:block;
      margin:20px auto;
      background:#000;
      border:4px solid #222;
      box-shadow:0 10px 30px rgba(0,0,0,.6);
    }
    .ui {
      text-align:center;
      margin-top:6px;
      font-size:14px;
      color:#cfcfcf;
    }
    button { padding:8px 12px; font-size:14px; margin:0 6px; cursor:pointer;}
    @media (max-width:600px){
      #game { width:320px; height:480px; }
    }
  </style>
</head>
<body>
  <canvas id="game" width="480" height="640"></canvas>
  <div class="ui">
    <button id="startBtn">Start / Restart</button>
    <span style="margin-left:12px">Score: <span id="score">0</span></span>
    <span style="margin-left:12px">Lives: <span id="lives">3</span></span>
    <div style="margin-top:6px; font-size:13px; color:#aaa">
      Controls: ← → = move, Space = shoot
    </div>
  </div>

<script>
/*
  Simple Space Shooter
  - Player: small triangle ship
  - Enemies: descending squares
  - Bullets: small rectangles
  - Collision detection, scoring, lives
*/

const canvas = document.getElementById('game');
const ctx = canvas.getContext('2d');
const scoreEl = document.getElementById('score');
const livesEl = document.getElementById('lives');
const startBtn = document.getElementById('startBtn');

let W = canvas.width, H = canvas.height;
window.addEventListener('resize', ()=>{ /* keep fixed size for simplicity */ });

/* Game state */
let keys = {};
let bullets = [];
let enemies = [];
let particles = [];
let score = 0;
let lives = 3;
let gameOver = false;
let spawnTimer = 0;
let spawnInterval = 90; // frames
let fireCooldown = 0;

/* Player */
const player = {
  x: W/2,
  y: H - 60,
  w: 24,
  h: 28,
  speed: 5,
  alive: true
};

/* Input */
window.addEventListener('keydown', (e)=>{ keys[e.code] = true; if(e.code==='Space') e.preventDefault(); });
window.addEventListener('keyup', (e)=>{ keys[e.code] = false; });

startBtn.addEventListener('click', startGame);

/* Utility */
function rand(min,max){ return Math.random()*(max-min)+min; }
function clamp(v,a,b){ return Math.max(a, Math.min(b, v)); }

/* Entities */
function spawnEnemy(){
  const size = Math.round(rand(22,44));
  enemies.push({
    x: rand(size, W-size),
    y: -size,
    w: size,
    h: size,
    speed: rand(1.2, 2.2) + score*0.002, // slight difficulty scaling
    hp: Math.random()<0.15 ? 2 : 1, // some tougher enemies
  });
}

function shoot(){
  if(fireCooldown>0) return;
  bullets.push({
    x: player.x,
    y: player.y - player.h/2 - 6,
    w: 4,
    h: 10,
    speed: 8
  });
  fireCooldown = 12; // frames between shots
}

/* Collision simple AABB */
function coll(a,b){
  return !(a.x + (a.w||0)/2 < b.x - (b.w||0)/2 ||
           a.x - (a.w||0)/2 > b.x + (b.w||0)/2 ||
           a.y + (a.h||0)/2 < b.y - (b.h||0)/2 ||
           a.y - (a.h||0)/2 > b.y + (b.h||0)/2);
}

/* Particle for explosion */
function makeExplosion(x,y,count=12){
  for(let i=0;i<count;i++){
    particles.push({
      x, y,
      vx: Math.cos(Math.random()*Math.PI*2)*rand(1,4),
      vy: Math.sin(Math.random()*Math.PI*2)*rand(1,4),
      life: rand(24,48),
      size: rand(1.5,3.5)
    });
  }
}

/* Update loop */
function update(){
  if(gameOver) {
    drawGameOver();
    return;
  }

  // Input: move left/right
  if(keys['ArrowLeft'] || keys['KeyA']) player.x -= player.speed;
  if(keys['ArrowRight'] || keys['KeyD']) player.x += player.speed;
  player.x = clamp(player.x, 20, W-20);

  if((keys['Space'] || keys['KeyK']) ) shoot();
  if(fireCooldown>0) fireCooldown--;

  // Update bullets
  for(let i=bullets.length-1;i>=0;i--){
    const b = bullets[i];
    b.y -= b.speed;
    if(b.y + b.h < 0) bullets.splice(i,1);
  }

  // Spawn enemies
  spawnTimer++;
  const adaptive = Math.max(20, spawnInterval - Math.floor(score/5));
  if(spawnTimer > adaptive){
    spawnTimer = 0;
    spawnEnemy();
  }

  // Update enemies
  for(let i=enemies.length-1;i>=0;i--){
    const e = enemies[i];
    e.y += e.speed;
    // Enemy collides with player?
    if(coll({x:player.x,y:player.y,w:player.w,h:player.h}, e)){
      // lose a life and remove enemy
      enemies.splice(i,1);
      lives--;
      makeExplosion(player.x, player.y, 18);
      if(lives<=0){ gameOver = true; }
      continue;
    }
    // Offscreen -> remove and lose life
    if(e.y - e.h/2 > H){
      enemies.splice(i,1);
      lives--;
      if(lives<=0) gameOver = true;
      continue;
    }
    // Bullets hit enemy
    for(let j=bullets.length-1;j>=0;j--){
      const b = bullets[j];
      if(coll(b, e)){
        bullets.splice(j,1);
        e.hp--;
        if(e.hp<=0){
          // destroy
          score += 10;
          makeExplosion(e.x, e.y, 14);
          enemies.splice(i,1);
        } else {
          score += 5;
        }
        break;
      }
    }
  }

  // Update particles
  for(let i=particles.length-1;i>=0;i--){
    const p = particles[i];
    p.x += p.vx;
    p.y += p.vy;
    p.vy += 0.08; // gravity-ish
    p.life--;
    if(p.life<=0) particles.splice(i,1);
  }

  // update UI
  scoreEl.textContent = score;
  livesEl.textContent = lives;

  // draw
  draw();


  // next frame
  requestAnimationFrame(update);
}

/* Drawing functions */
function clear
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • No latin characters (2):
  • Low reputation (1):
Posted by: roksana parvin

79796657

Date: 2025-10-22 10:27:29
Score: 1.5
Natty:
Report link
$client->lists->getListMembersInfo($list_id='xxxxx', $fields='members.email_address,members.status,members.full_name'], null, 20);

specify other parameters in the right order. Third parameter is excluded_fields, fourth is count. Refer to 
https://stackoverflow.com/questions/66500584/adding-query-parameters-to-mailchimp-api-request-for-php
Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Adrie Rozendaal

79796655

Date: 2025-10-22 10:26:29
Score: 2
Natty:
Report link

Focus on responsive design using flexible layouts and media queries, ensure touch-friendly interactions with appropriately sized buttons, optimize performance with lazy loading and minimized assets, and prioritize fast load times for mobile networks. Implement cross-browser testing, offline support if needed, and maintain accessible UI/UX standards. Always iterate based on real-user feedback to ensure seamless experiences across devices.

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

79796649

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

Changing the line

Workbooks(temp_path)

to

Workbooks.open(temp_path)

solved this problem

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

79796647

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

If you really want to keep it in C:\Program Files, you can:

Press Windows + R, type msconfig, and hit Enter.

Go to the Tools tab.

Find and launch Change UAC Settings.

Move the slider to Never notify.

Restart your PC.

But Disabling UAC reduces security

So another method is to install it in another folder which doesn't contain OS

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

79796639

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

Pro of using TO_<TYPE> could be the comparison of two variables of different User Data Types, by casting themselves to the common known type, so to avoid that the compiler alerts you about implicit data type conversion. Example:

TYPE E_SYSTEM_STATE :(
ALARM   := -1   ,
STOP    := 0    ,
RUNNING := 1
)INT;
END_TYPE

TYPE E_SUBSYSTEM_STATE :(
ALARM   := -1   ,
STOP    := 0    ,
RUNNING := 1
)INT;
END_TYPE

We created two enum types that are identically, except for the scope for which they are defined (in this case they refer two different object of a state machine). Now we create the instance variables:

PROGRAM MAIN
VAR
eSysState : E_SYSTEM_STATE;
eSubsysState :  E_SUBSYSTEM_STATE;
bCheck : BOOL;
END_VAR
//
bCheck := (eSysState = eSubsytState);

As you can see, even if the variables eState and eSubsysState are both derived from basic type INT (as declared within the Enum type), after building the solution, the last line cause the compiler to generate a C0354 alert:

enter image description here

Sure, you have several ways to get around this, but one simple way is to cast both the variables to the same native basic data. So the final instruction becomes something like this and the compiler stops to generate the alert:

bCheck := TO_INT(eSysState) = TO_INT(eSubsytState);
Reasons:
  • Blacklisted phrase (1): :(
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: zzerodue

79796632

Date: 2025-10-22 09:56:20
Score: 2
Natty:
Report link

I know this is 5 years old, but I had the problem today. Lines, grids, and ticks in ggplot were suddenly missing. The reason was not on ggplot2, but on my office screen settings. Apparently, some screens render thin lines so that they disappear.

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

79796617

Date: 2025-10-22 09:36:16
Score: 2.5
Natty:
Report link

Digital marketing is the promotion of products or services using online channels such as websites, social media, search engines, email, and paid ads to reach and engage customers effectively.

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

79796616

Date: 2025-10-22 09:35:16
Score: 3.5
Natty:
Report link

For me the problem was network. the code was OK.

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

79796610

Date: 2025-10-22 09:28:14
Score: 2.5
Natty:
Report link

If you want to “encapsulate” it Create a tiny helper that returns (start, end, step):

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

79796606

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

This formula for Calculated Field returns the intended result in my sample spreadsheet. However i have to add a column "Row" to the original table.

=('Name Avg'-'State Avg')/Row

pivot table

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

79796591

Date: 2025-10-22 09:09:08
Score: 3.5
Natty:
Report link

apparently sticky: bottom-0 is working better. Try it.

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

79796587

Date: 2025-10-22 09:07:04
Score: 9 🚩
Natty:
Report link

hey did u ever figure this out?

Reasons:
  • RegEx Blacklisted phrase (3): did u ever figure this out
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Ian Mugisha

79796580

Date: 2025-10-22 09:00:02
Score: 2
Natty:
Report link

What is stated in this question, if it was ever true, is no longer the case in recent versions of AlertManager.

Port 465 can be used, but you must explicitly specify require_tls: false

References:

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Starts with a question (0.5): What is
  • Low reputation (0.5):
Posted by: Juan

79796577

Date: 2025-10-22 08:54:01
Score: 3.5
Natty:
Report link

I can confirm that the SpeechSynthesis bug also affects Safari on macOS.

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

79796572

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

No comments from google in my issue, but out monitoring queries work once again without errors.

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

79796569

Date: 2025-10-22 08:50:00
Score: 1
Natty:
Report link

I agree the change for non-ordered factors was unintended (as I committed the change; of course my memory could be failing... With thanks to all, I agree with @IRTFM that an error should only be signalled for ordinary factors. I'm less sure if a warning should happen for ordered ones. (The discussion about this should however happen on the R-devel mailing list...)

Reasons:
  • Blacklisted phrase (0.5): thanks
  • No code block (0.5):
  • User mentioned (1): @IRTFM
  • High reputation (-1):
Posted by: Martin Mächler

79796550

Date: 2025-10-22 08:30:56
Score: 3.5
Natty:
Report link

trade.SetExpertComment(InpTradeComment);

undeclared identifier robot.mq5

'InpTradeComment' - some operator expected

2 errors, 0 warnings

the above comman i get this error when i compile can anyone sugget why i get this error and hoe to correct it.

Reasons:
  • RegEx Blacklisted phrase (1): i get this error
  • Low length (0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: rakesh Anjana

79796549

Date: 2025-10-22 08:26:55
Score: 1
Natty:
Report link

October - 2025

To update test account information for google play store follow below steps:

  1. Login play store

  2. Go to your app page

  3. On the left menü select "Testing" section

  4. "pre-launch report" section

  5. "Settings" section

  6. Select "provide identification information" button

  7. Provide your test account informations

enter image description here

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

79796546

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

This issue has been fixed by Google:
https://android-review.googlesource.com/c/platform/frameworks/support/+/3794126

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

79796545

Date: 2025-10-22 08:22:53
Score: 2.5
Natty:
Report link

This worked to me

  1. Navigate to the Azure Portal

  2. Under All Services, select Subscriptions

  3. Select the subscription you are using

  4. On the left menu, under Settings, select Resource Providers

  5. Find the provider you need (Microsoft.Network) and click Register

Thanks

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

79796542

Date: 2025-10-22 08:19:52
Score: 1
Natty:
Report link

I had a similar issue with page routing. Not sure if it will help but I had to chain the if statements together with elif. In fact, I ended up using match case available in the latest version of python. See image below

        if page.route == create.route: 
            page.views.append(create)
        elif page.route == login.route: 
            page.views.append(login)
        elif page.route == reset_password.route: 
            page.views.append(reset_password)
        elif page.route == update_password.route: 
            page.views.append(update_password)
        elif page.route == main_view.route:
            page.views.append(main_view)

enter image description here

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: user31733187

79796541

Date: 2025-10-22 08:17:52
Score: 2
Natty:
Report link

On GNU/Linux install gnome-terminal, then go to: Settings -> Environment -> General settings
Select gnome-terminal --wait -t $TITLE -x from the dropdown menu of Terminal to launch console programs.

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

79796535

Date: 2025-10-22 08:10:50
Score: 1
Natty:
Report link

From Pandas 1.2.0 (December 2020) you can simply write:

import pandas as pd

url = 'https://www.investing.com/earnings-calendar/'

pd.read_html(url, storage_options={"User-Agent": "Mozilla/5.0"})
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: David Pérez

79796532

Date: 2025-10-22 08:08:49
Score: 1
Natty:
Report link

Do this:

worksheet.getCell("A1").fill = {
    type: "pattern",
    pattern: "solid",
     bgColor: { argb: "#ff0000" },
}
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Bikathi Martin

79796529

Date: 2025-10-22 08:06:49
Score: 2
Natty:
Report link

don't use *ngIf with animation, use [hidden] instead.

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

79796527

Date: 2025-10-22 08:05:48
Score: 1
Natty:
Report link

You don’t need to change the core authentication package — just keep its logic and rebuild the UI on top of it.

Most auth packages (like Firebase, NextAuth, Laravel Breeze, etc.) let you:

  1. Use their backend/auth logic (login, signup, reset password).

  2. Create your own custom forms and screens that call those same functions or endpoints.

Example (React + NextAuth):
signIn("credentials", { email, password });

You can style your own form and buttons however you want — the auth logic stays the same.

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

79796514

Date: 2025-10-22 07:46:44
Score: 0.5
Natty:
Report link

Your code works, but it’s not officially supposed to.

pd.crosstab(penguins.species, "count")

This runs fine, but according to the documentation, the second argument (columns) should be a list, array, or Series not a string.


Why it works anyway?

When you pass "count", Pandas internally converts it like this:

np.asarray("count") → becomes array(['c', 'o', 'u', 'n', 't'])
(an array of letters!)

Pandas then broadcasts this value, effectively treating it as if you had given a single constant column.

So it behaves as if you wrote:

pd.crosstab(penguins.species, pd.Series(["count"] * len(penguins)))

That’s why you get a single column called count showing the number of rows for each species.

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Pasquale Cordisco

79796512

Date: 2025-10-22 07:45:44
Score: 0.5
Natty:
Report link

Your MixingSampleProvider is ReadFully = true, which means Read() would always returns the number of samples requested(which is over 0), with rest of the buffer beside actual data zero filled.

so your loop

            while (_isRecording)
            {
                try
                {
                    int read = finalProvider.Read(buffer, 0, buffer.Length);
                    if (read > 0)
                        _writer?.Write(buffer, 0, read);
                    else
                        Thread.Sleep(10);
                }
                catch { }
            }

would write unending sequence of 0s without delay, with tiny amount of real samples sprinkled.

And new byte[finalProvider.WaveFormat.AverageBytesPerSecond / 10] is 100ms worth of read buffer while Thread.Sleep(10) sleeps for about 10ms. Your buffer would underrun even if you did set MixingSampleProvider.ReadFully = false.


And story doesn't end there.

BufferedWaveProvider is also ReadFully = true by default. Not only it produces garbage 0s on buffer underrun, but also it produces trailing 0s sometimes maybe because of some numerical error while doing sample rate change I guess.
It also should be set to false.

MixingSampleProvider removes sources from its source list when requested bytes count and read bytes count mismatches. Seems that's for detecting end of stream when source is file-backed, but for real-time input like playback capture, it needs extra caution not to underrun buffer.
Before starting main loop I put one second of delay to have some time to fill enough data on buffers to prevent underrun.
Also I used System.Diagnostics.Stopwatch to measure exact time it takes for each loop and use it to write the output.


This is my PoC code.
I'm new to NAudio too so I don't know it's good for long-term use.
At least it works on my machine.

using NAudio.Wave;
using NAudio.Wave.SampleProviders;
using System.Diagnostics;

string resultPath = Path.Combine(Path.GetTempPath(), $"{DateTime.Now:yyyyMMdd_HHmmss}.wav");
Console.WriteLine(resultPath);

WasapiLoopbackCapture outCapture = new();
WaveInEvent inCapture = new();

BufferedWaveProvider outBuffer = new(outCapture.WaveFormat)
{
    DiscardOnBufferOverflow = true,
    BufferDuration = TimeSpan.FromSeconds(30),
    ReadFully = false,
};

BufferedWaveProvider inBuffer = new(inCapture.WaveFormat)
{
    DiscardOnBufferOverflow = true,
    BufferDuration = TimeSpan.FromSeconds(30),
    ReadFully = false,
};

outCapture.DataAvailable += (_, a) => outBuffer?.AddSamples(a.Buffer, 0, a.BytesRecorded);
inCapture.DataAvailable += (_, a) => inBuffer?.AddSamples(a.Buffer, 0, a.BytesRecorded);

const int SampleRate = 16000;

ISampleProvider outSP = new WdlResamplingSampleProvider(outBuffer.ToSampleProvider(), SampleRate).ToMono();
ISampleProvider inSP = new WdlResamplingSampleProvider(inBuffer.ToSampleProvider(), SampleRate).ToMono();

MixingSampleProvider mixer = new([outSP, inSP]) { ReadFully = false };
IWaveProvider mixedWaveProvider = mixer.ToWaveProvider16();
WaveFileWriter resultWriter = new(resultPath, mixedWaveProvider.WaveFormat);

outCapture.StartRecording();
inCapture.StartRecording();

CancellationTokenSource cts = new();
CancellationToken token = cts.Token;

_ = Task.Run(async () =>
{
    byte[] buffer = new byte[mixedWaveProvider.WaveFormat.AverageBytesPerSecond];

    await Task.Delay(TimeSpan.FromSeconds(1));

    Stopwatch stopwatch = Stopwatch.StartNew();

    await Task.Delay(TimeSpan.FromSeconds(0.5));

    while (token.IsCancellationRequested == false)
    {
        long elapsedMs = stopwatch.ElapsedMilliseconds;
        stopwatch.Restart();

        int readByteCount = mixedWaveProvider.Read(buffer, 0, Math.Min(buffer.Length, mixedWaveProvider.WaveFormat.AverageBytesPerSecond * (int)elapsedMs / 1000));
        resultWriter.Write(buffer, 0, readByteCount);

        await Task.Delay(TimeSpan.FromSeconds(0.5));
    }
});

Console.WriteLine("Press any key to continue...");
Console.ReadKey();

cts.Cancel();

outCapture.StopRecording();
inCapture.StopRecording();
resultWriter.Flush();
resultWriter.Close();
Reasons:
  • RegEx Blacklisted phrase (1.5): I'm new
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: CDnX

79796510

Date: 2025-10-22 07:40:43
Score: 0.5
Natty:
Report link

It seems that the Fortran compilers have been removed from C:/msys64/mingw64/bin in the "Visual Studio 2019" Appveyor image.

Changing the search path to C:/mingw-w64/x86_64-8.1.0-posix-seh-rt_v6-rev0/mingw64/bin did the trick.

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

79796500

Date: 2025-10-22 07:22:39
Score: 1
Natty:
Report link
#include<stdio.h>
int main(){
int n,a;
printf("Enter a number:");
scanf("%d",&n);
for(int i=1;i<=n;i++){
    a=n%10;
printf("The digit is: %d\n",a);
    n=n/10;
  if(n==0) break;
}

return 0;
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Parth Bhudhrani 9A

79796497

Date: 2025-10-22 07:19:38
Score: 3
Natty:
Report link

https://github.com/aniubilitys/keyboard-iOS

I came across this solution here. After testing his demo, it successfully redirects to the intended page.

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

79796488

Date: 2025-10-22 07:07:35
Score: 1.5
Natty:
Report link

The constant is defined in the same file in which it is used. These are defined at the beginning of the file (which also contains a lot of other information). Since the Uniface Service in which the constant is used is quite extensive, with several thousand lines, I didn't find it at first glance.

Another mistake I made was searching with <STATUSERROR>, i.e., with angle brackets instead of simply without angle brackets, such as STATUSERROR in the file.

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

79796487

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

I was able to solve this by supporting SSL.

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

79796485

Date: 2025-10-22 07:06:35
Score: 3
Natty:
Report link

if you are using gemini-flash try switching to gemini-pro, Flash's tool calling is unstable and is probably the cause of your agent issue.

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

79796484

Date: 2025-10-22 07:06:35
Score: 3.5
Natty:
Report link

How do we connect things tothe HomeKit? I tried pairing my A156U phone to the HomeKit payload on my Roku TV but when my phone opens the link from the QR code it just opens to "About" the HomeKit. Theres no intructuons really explaining much.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): How do we
  • Low reputation (1):
Posted by: Patrick Carpenter

79796475

Date: 2025-10-22 06:57:32
Score: 3
Natty:
Report link

Restarting my PC fixed it. (This is a legit answer)

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

79796472

Date: 2025-10-22 06:53:31
Score: 3
Natty:
Report link

It is probably because axios.get() is an asynchronous call. You must take a look at the topic "how to get data from an asynchronous function in a react hook".

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

79796464

Date: 2025-10-22 06:47:29
Score: 0.5
Natty:
Report link

Both have their pros and cons.

InMemory is super fast and great for quick logic checks, but it doesn’t behave like a real database — no real SQL, no constraints, so you might miss bugs...

Real database gives you the full picture and catches SQL-related issues, but it’s slower and tricky to manage in parallel tests.

A nice middle ground is using Testcontainers — it spins up a real database (like SQL Server or Postgres) in Docker just for your tests, then tears it down automatically. So you get real behavior without the headache of managing it manually.

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

79796453

Date: 2025-10-22 06:40:28
Score: 3
Natty:
Report link

The solution for me was to open Android Studio in a different space without stage manager. Work fine for me so far …

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

79796448

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

I had a similar issue when running eas credentials which doesn't have access to eas dashboard env variables (like eas build does) and doesn't load .env file env variables (like npx expo run does). The fix was to run it like this: eas env:exec production "eas credentials" which allowed me to inject the eas dashboard production env variables into the credentials command so that my app.config.ts had access to the necessary env variables.

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

79796447

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

Simply remove the width setting, allowing patchwork to automatically determine the width and height.

library(ggplot2)
library(patchwork)

g1 <- ggplot() +
    geom_point(aes(x = sort(rnorm(100)), y = sort(rnorm(100)))) +
    geom_abline(slope = 1, linetype = "dashed") +
    coord_fixed()
g2 <- ggplot() +
    geom_point(aes(x = sort(rnorm(100)), y = 2 * sort(rnorm(100)))) +
    geom_abline(slope = 1, linetype = "dashed") +
    coord_fixed()
(g1 + g2)

enter image description here

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

79796416

Date: 2025-10-22 05:50:17
Score: 0.5
Natty:
Report link

If you have other machines connected to hangfire db and you are debugging locally, other machines will take the the job you enqueued.
Since your changes are only local you will see such errors

To debug locally you can use in memory db

Reasons:
  • Whitelisted phrase (-1.5): you can use
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Aziz Gulakov

79796403

Date: 2025-10-22 05:09:09
Score: 4.5
Natty:
Report link

Wrap is a clothing brand that makes simple comfortable and stylish clothes.click

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): is a
  • Low reputation (1):
Posted by: NANDAGOPAN A IPCS

79796393

Date: 2025-10-22 04:40:04
Score: 0.5
Natty:
Report link

I abstractly consider programming language built for configuration is not turing complete others are.

One can express

"Python programming language is turing complete for problems x which is decidable, for algorithm y exist.

"CSS is not turing complete for problems x, for algorithm y does not exist even the problem x is decidable"

There is a question "For every problem x does algorithm Y exist" is undecidable.

What problem is decidable or undecidable is proven by turing machine which is field of computability.

There for if some problem is decidable but cannot be solved with programming language then the programming language is not turing complete.

Computable function

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

79796388

Date: 2025-10-22 04:21:00
Score: 0.5
Natty:
Report link

Have you referred to the steps here: https://docs.stripe.com/payments/existing-customers?platform=web&ui=stripe-hosted#prefill-payment-fields?

As far as I know, Checkout is in payment or subscription mode supports prefilling card payment method.

If you're followed the steps and your payment method isn't display, you'd probably want to contact Stripe support with your checkout session and the collected payment method ID so that their team can look into why the payment method wasn't redisplayed.

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

79796387

Date: 2025-10-22 04:21:00
Score: 3.5
Natty:
Report link

Note for simulators and testflight, the time is always for UTC 0.

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

79796379

Date: 2025-10-22 03:43:52
Score: 0.5
Natty:
Report link

I think your emitted events are getting overridden somewhere, but it's hard to speculate

  1. Can you provide a stackblitz demo?

  2. Or any Logs on your console that we may help you?

  3. Have you tried simplifying the document-browser.component.html so that you can track if the emit event is being triggered?

will update my answer based on your reply


in the meant time you can check out this angular emitted events video that helped me.

https://seebeu.com/learn/course/angular-web-framework/simplifying-angular-emitted-events

Reasons:
  • Whitelisted phrase (-1): Have you tried
  • RegEx Blacklisted phrase (2.5): Can you provide
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • High reputation (-1):
Posted by: tomexsans

79796378

Date: 2025-10-22 03:38:51
Score: 1
Natty:
Report link

The issue is with this line:

squares := !squares :: (!x * !x);

Essentially, the cons operator (::) takes in an element and a list and returns a list which you are doing but in the wrong order. So from my understading the line should be replaced with:
squares := (!x * !x) :: !squares;

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

79796363

Date: 2025-10-22 03:06:44
Score: 2.5
Natty:
Report link

So i hope the question is to automatically update daily data in the looker studio chart from the google sheet. To update the daily data , you can set a trigger in google sheets so that the data gets updated daily.

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

79796362

Date: 2025-10-22 03:03:43
Score: 3
Natty:
Report link

Just open two diffrent windows with Show(). But launching two "apps" in one thread in one app is war crime. Both frameworks use Assembly namespace and use singletones for controlling the app proccess.

And the other question... What for? And for what?

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: tankoman 228

79796344

Date: 2025-10-22 02:09:31
Score: 3
Natty:
Report link

You can try Service Bus Cloud Explorer—a cross-platform, web-based SaaS with a free tier. It lets you sort messages by enqueued time (ascending or descending) and includes powerful filtering and search capabilities.
enter image description here

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: AHMED EL-HAROUNY

79796339

Date: 2025-10-22 01:47:27
Score: 1
Natty:
Report link
procedure TForm1.WebBrowser1DidFinishLoad(ASender: TObject);
begin
if WebBrowser1.URL<>'about:blank' then  //or check your link
  begin
  WebBrowser1.URL:='about:blank';       //or your link
  Application.ProcessMessages;
  WebBrowser1.LoadFromStrings('...our link...','http://mypage.html');
  end;
end;
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: AvS

79796322

Date: 2025-10-22 00:43:13
Score: 2.5
Natty:
Report link

The simplest solution for unused methods is to use them.

If you care about test coverage then you should be writing a unit test for each publicly exposed method. I

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

79796315

Date: 2025-10-22 00:17:08
Score: 3.5
Natty:
Report link

Update the issue was outdated ndk and android sdk was outdated by 1 version
steps i took for fixing was open android studioAndroid studio main screen

opened tools and selected sdk manager
open sdk manager in tools section
and went to sdk tools and updated all android related sdks
Sdk tab

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

79796313

Date: 2025-10-22 00:17:08
Score: 0.5
Natty:
Report link

For me it worked after updating and fixing npm packages:

npm update
npm audit fix --force
Reasons:
  • Whitelisted phrase (-1): it worked
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: manish sehgal

79796309

Date: 2025-10-22 00:06:05
Score: 1
Natty:
Report link

You can set them to anything you want in the env var SBT_OPTS:

-Dsbt.boot.directory=/home/user/.sbt/boot/ -Dsbt.ivy.home=/home/user/.sbt/.ivy2/
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: automorphic

79796290

Date: 2025-10-21 22:43:49
Score: 1
Natty:
Report link

The current documentation for Entity Framework suggests the usage of a real database.

The main reasons are:

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

79796287

Date: 2025-10-21 22:34:48
Score: 2.5
Natty:
Report link

I know this is old but putting this here because I had the same question and the response marked as the answer needed to be slightly modified.

Get-FileHash -Path "C:\path\to\your\file.ext" -Algorithm SHA256

Reasons:
  • Whitelisted phrase (-1): I had the same
  • Contains signature (1):
  • Low length (0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Sam

79796284

Date: 2025-10-21 22:27:46
Score: 1
Natty:
Report link

first, you need a way to count how many clicks the player made. every time they click, you add +1 to a variable that stores the total.

then, you need to know when the counting started. so, when the first click happens, you mark the current time as the starting point.

every second (or periodically), you check how many clicks happened within that one-second window. that number is the cps — clicks per second.

if that number is too high, like 20 or 30 clicks per second, it’s very likely the person is using an autoclicker. then you can decide what to do: show a warning, block clicking, or just log it for analysis later.

when a second passes, you can reset the counter and start again, or use a smarter approach: store the timestamp of each click and remove the ones older than one second. this way, the cps keeps updating in real time without needing to reset.

I did this on my own site that also calculates CPS: https://day-apps.com/en/click-counter

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Pedro Henrique da Silva Lima

79796278

Date: 2025-10-21 22:22:45
Score: 0.5
Natty:
Report link

I would generally recommend avoiding any initialization in EF models. The issue might be initialization them to null in runtime so even when they have value EF will override it with yours. I met this behaviour multiple times on previous project i was working on when Enumerable were set to [] by default in models and there were empty lists in response.

Reasons:
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Антон

79796272

Date: 2025-10-21 22:11:43
Score: 2
Natty:
Report link
<ScrollView style={{ maxHeight: '100vh' }}>
  {/* contenu */}
</ScrollView>
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Fils Matand

79796268

Date: 2025-10-21 22:04:41
Score: 3.5
Natty:
Report link

Thank you @jqurious for the help and keeping sane, so I was downloading the pdf via edge (cause I'm lazy and got a new windows laptops) downloaded it with firefox and it worked. If anyone can explain why that is the case would be much appreciated, happy to share both download versions for comparison.

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (1): appreciated
  • Whitelisted phrase (-1): it worked
  • Low length (0.5):
  • No code block (0.5):
  • User mentioned (1): @jqurious
  • Self-answer (0.5):
  • Single line (0.5):
  • Looks like a comment (1):
  • High reputation (-1):
Posted by: Will

79796266

Date: 2025-10-21 22:01:40
Score: 2
Natty:
Report link

Root cause
I edited the code in the Lambda console and did not click Deploy. Saving in the editor does not make the change live for the version or alias that S3 is invoking. After I clicked Deploy, S3 events started invoking the function again.

Fix in the console

  1. Open the Lambda function.

  2. Click Deploy to publish the code change.

  3. On Configuration > Triggers, make sure the S3 trigger is Enabled.

  4. Upload a test object to the bucket and prefix.

  5. Check CloudWatch Logs.

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

79796262

Date: 2025-10-21 21:52:38
Score: 2
Natty:
Report link

Had same problem. Nothing had seem to work, kernel connection ran forever but:

Make sure to have no additional python versions installed on your computer that you dont need.

Or check the routings in your environemental variables.

After approx. 4 hours of searching I found out that other python installations may affect you even if they are not used, or you are using a python virtual environement.

Reasons:
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: user31730920

79796260

Date: 2025-10-21 21:47:37
Score: 0.5
Natty:
Report link

Consider (after allowing for "subset of ID's from 'A'" and "filtered by a range of timestamps"):

SELECT A.id,
    ( SELECT COUNT(*) FROM B WHERE B.id = A.ID WHERE ???) AS B_count,
    ( SELECT COUNT(*) FROM C WHERE C.id = A.ID WHERE ???) AS C_count,
    ( SELECT COUNT(*) FROM D WHERE D.id = A.ID WHERE ???) AS D_count
    FROM A
    WHERE ???
Reasons:
  • Blacklisted phrase (1): ???
  • Has code block (-0.5):
  • Ends in question mark (2):
  • High reputation (-2):
Posted by: Rick James

79796243

Date: 2025-10-21 21:22:32
Score: 1.5
Natty:
Report link

Yes, Flutter does support embedded accessibility for the web. However you do usually need those semantic widgets/attributes to make things work the way you want.

There's a little bit of extra work on Flutter Web to get screen readers working compared to other platforms, since web accessibility is off by default. See https://docs.flutter.dev/ui/accessibility/web-accessibility#opt-in-web-accessibility for details.

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

79796242

Date: 2025-10-21 21:22:31
Score: 6.5 🚩
Natty:
Report link

I have find this : https://guacamole.apache.org/doc/1.6.0/gug/guacamole-native.html

You have all the dependencies for fedora because amazon linux 2023 is based on !

Else, you can help you with this AMI to see the dependencies deployed : https://aws.amazon.com/marketplace/pp/prodview-ya7i5ohmfyl3e

Reasons:
  • RegEx Blacklisted phrase (3): you can help
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: HadrienV

79796239

Date: 2025-10-21 21:17:30
Score: 0.5
Natty:
Report link

There is not such method in pandas, but you could create the DataFrame in one line lika this

import pandas as pd

nRow = 10
nCol = 4


df = pd.DataFrame(1, index=range(rows), columns=range(cols))
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Matias Bertani

79796238

Date: 2025-10-21 21:16:29
Score: 2.5
Natty:
Report link

Could you try if upgrading to v3.4.2 or above fixes this issue. This seems similar to what was reported here.
PS: I'm a MongoDB Employee

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

79796224

Date: 2025-10-21 20:54:25
Score: 1.5
Natty:
Report link

If you want a simple & fast answer: t_hash=tensor.sum() is pretty likely to work in most situations. It might be that not all your asks are required.

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

79796219

Date: 2025-10-21 20:48:23
Score: 2
Natty:
Report link

For example ,you can use python to create your dashboard and add time condition (datetime library) or !

https://learn.microsoft.com/en-us/power-bi/connect-data/desktop-python-scripts

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

79796214

Date: 2025-10-21 20:38:21
Score: 4
Natty:
Report link

thank you very much, I spet 1 hour thinking my localhost is somehow blocked

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: Danijel Brecelj

79796200

Date: 2025-10-21 20:19:16
Score: 0.5
Natty:
Report link

Fix:


const heightModel = computed({
  get: () => props.height ?? "",
  set: (val: string | number) =>
    emits("update:height", val !== "" && val !== undefined ? Number(val) : undefined),
});

const weightModel = computed({
  get: () => props.weight ?? "",
  set: (val: string | number) =>
    emits("update:weight", val !== "" && val !== undefined ? Number(val) : undefined),
});
Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: codenathan

79796199

Date: 2025-10-21 20:15:14
Score: 6 🚩
Natty:
Report link

What are the permissions on your perl script ?

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): What are the
  • Low reputation (1):
Posted by: HadrienV

79796189

Date: 2025-10-21 19:56:10
Score: 1.5
Natty:
Report link

You can write a simple validator, that compares a string to its upper case equivalent

bool isUppercase(String str) {
  return str == str.toUpperCase();
}

implementation

void main(){
 String str = "Hello World!";
 bool startsWithUppercase = isUppercase(str[0]);
 print("Starts with upper case: $startsWithUppercase");
}

The docs https://pub.dev/documentation/string_validator/latest/string_validator/isUppercase.html shows how to check if a string is uppercase in dart

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

79796188

Date: 2025-10-21 19:56:10
Score: 2
Natty:
Report link

The 249 limitation is connected to this bug: Headless conversion silently stops after reaching ~250 files

A workaround is to invoke /usr/lib/libreoffice/program/soffice.bin directly instead of soffice / lowriter, e.g.:

/usr/lib/libreoffice/program/soffice.bin --headless --convert-to html *.rtf

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

79796183

Date: 2025-10-21 19:51:09
Score: 0.5
Natty:
Report link

Summarizing previous replies (for python 3.*):

...
try:
    result_str = bytes(fullDataRead).decode()
except Exception as e:
    print('TODO: add handling of exception: ' + str(e)) # add here your exception-handling if needed
    result_str = 'Exception by retrieving the string!'
print(result_str)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Dr.CKYHC

79796175

Date: 2025-10-21 19:36:05
Score: 0.5
Natty:
Report link
use feature state;

sub alternatecase {
    my $str = shift;

    sub alternate {
        state $c = 1;
        return ($c = !$c);
    }

    $str =~ s/(\w)/alternate() ? uc($1) : lc($1)/ge;
    return $str;
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: HeliumHydride

79796170

Date: 2025-10-21 19:29:04
Score: 3.5
Natty:
Report link

If a helper column work, you can add a helper column to calculate the difference of the % for each row, and then do their averages in the pivot table.enter image description here

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

79796159

Date: 2025-10-21 19:16:01
Score: 0.5
Natty:
Report link
output = ''.join(string.rsplit(fragment, string.count(fragment) - 1))
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: Konstantin Makarov

79796156

Date: 2025-10-21 19:13:00
Score: 1
Natty:
Report link

Partition the string by the fragment and replace it only in the tail:

a, b, c = string.partition(fragment)
output = a + b + c.replace(fragment, '')
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Robert