79732087

Date: 2025-08-11 13:17:34
Score: 2.5
Natty:
Report link

As you haven't changed your code it may be something with third party libraries that are not no longer compatible with the newer version of Visual Studio. A likely culprit is the C++/WinRT NuGet package. Update that one and try again.

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

79732086

Date: 2025-08-11 13:17:34
Score: 1.5
Natty:
Report link

In vue.js

i have on component named x , which is parent component, and another child component y. here i pass the props in the y from x and the props passed is fetched from api in X. but somehow the props is send empty in the state where api have not fetched , but whenever i use watch in the child the props change is seen. also, i have declared all the things in the data() properties, but idk why this is happening

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

79732085

Date: 2025-08-11 13:17:34
Score: 0.5
Natty:
Report link

Use this code:

var G = ....obtain Graphics object - from OnPaint or by CreateGraphics()
G.MeasureString("Q", DefFont, PointF.Empty, StringFormat.GenericTypographic);

That "GenericTypographic" is the key to obtain precise result.

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

79732082

Date: 2025-08-11 13:11:33
Score: 0.5
Natty:
Report link

I also had the issue that WebView was not accepting the playsinline attribute. Adding the following line will the WebView accept inline video

webConfiguration.allowsInlineMediaPlayback = true
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: NME New Media Entertainment

79732081

Date: 2025-08-11 13:09:32
Score: 0.5
Natty:
Report link

Other than the required licensing, please check that the below requirements are met https://learn.microsoft.com/en-us/intune/intune-service/protect/epm-overview#requirements and verify that the OS is a supported versions: -Learn about using Endpoint Privilege Management with Microsoft Intune | Microsoft Learn

Additionally:

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

79732072

Date: 2025-08-11 13:00:30
Score: 2.5
Natty:
Report link

https://www.profitableratecpm.com/r3cgri5f13?key=c9231a8b2accb20089e489abd23b2c95 flow this link for your answer

import time
from v1 import log, ServiceLogger
from logging.handlers import MemoryHandler

# Initialize handler once at module level
h = MemoryHandler(1000)
log.addHandler(h)  # Add handler only once

class Service:
    id = None
    log = None

    def __init__(self, id: int):
        self.id = id
        self.log = ServiceLogger(log)  # No handler added here

    def do(self):
        print("Do some job per service!")

def service_exec():
    service = Service(id=4)
    service.do()

if __name__ == '__main__':
    while True:
        for i in range(10):
            service_exec()
            time.sleep(1)
Reasons:
  • Blacklisted phrase (1): this link
  • Probably link only (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: user31254475

79732067

Date: 2025-08-11 12:56:29
Score: 5.5
Natty: 6.5
Report link

Why do you want to have VPA in recommendation only mode instead of scaling the application both horizontally and vertically at the same time with a tool like Zesty Pod Rightsizing or something similar?

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

79732065

Date: 2025-08-11 12:54:28
Score: 3
Natty:
Report link
header 12 header 8
cell20 cell 25
cell 3 cell 4
Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Laar Lyon

79732059

Date: 2025-08-11 12:47:26
Score: 1
Natty:
Report link

Stop installing yarn globally, use per-project yarn instead.

This allows migration per project.

Installing yarn by corepack enable is now the recommended way:

https://yarnpkg.com/migration/guide

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

79732058

Date: 2025-08-11 12:47:26
Score: 1.5
Natty:
Report link
return redirect('cyberSecuritySummit')
       ->with('success', 'Payment Successful!');

Then in your Blade, show the success message from the session.

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

79732040

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

You can try this I found this useful:-

ChottuLink | ChottuLink | Deep Linking | Firebase Dynamic Links Alternative https://share.google/0grSkDHp72sfReh6F

Reasons:
  • Whitelisted phrase (-1): try this
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Rahul Basutkar.

79732030

Date: 2025-08-11 12:13:18
Score: 1
Natty:
Report link

@Peter Cordes is right. I rewrite the atomic version (using 60 bytes padding on machine with 64 bytes cache line to separate r1,r2 into different cache lines):

std::atomic<int> x;
std::atomic<int> y;

struct Result {
  std::atomic<int> r1;
  char padding[60];
  std::atomic<int> r2;
} res;

void thread1_func() {
  res.r1.store(x.load(std::memory_order_relaxed), std::memory_order_relaxed);

  if (res.r1.load(std::memory_order_relaxed)) {
    res.r2.store(y.load(std::memory_order_relaxed), std::memory_order_relaxed);
  }
}

void thread2_func() {
  y.store(42, std::memory_order_relaxed);
  x.store(1, std::memory_order_release);
}

void thread3_func() {
  if (res.r2.load(std::memory_order_relaxed) == 0) {
    return;
  }
  if (res.r1.load(std::memory_order_relaxed) == 0) {
    printf("r1: %d, r2: %d\n", res.r1.load(std::memory_order_relaxed),
           res.r2.load(std::memory_order_relaxed));
  }
}

int main() {
  while (1) {
    x = 0;
    y = 0;
    res.r1 = 0;
    res.r2 = 0;

    std::thread t1(thread1_func);
    std::thread t2(thread2_func);
    std::thread t3(thread3_func);

    t1.join();
    t2.join();
    t3.join();
  }
  
  return 0;
}

and now the program will enter the printf branch.

If we'd like thread3 never enter the printf branch, we can use 'release' ordering on res.r2.store:

void thread1_func() {
  res.r1.store(x.load(std::memory_order_relaxed), std::memory_order_relaxed);

  if (res.r1.load(std::memory_order_relaxed)) {
    res.r2.store(y.load(std::memory_order_relaxed), std::memory_order_release);
  }
}
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @Peter
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Kymdon

79732020

Date: 2025-08-11 12:01:15
Score: 1
Natty:
Report link

you need to read the file and send it to the parser

with open("abc.xml", 'r') as f
    text_xml = f.read()
    o = xmltodict.parse(text_xml)
    json.dumps(o)
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Axeltherabbit

79732019

Date: 2025-08-11 12:00:15
Score: 0.5
Natty:
Report link

You are passing path to the file ("abc.xml"), instead of actual content of the file, to the xmltodict.parse method. You need first to read the file:

    with open("abc.xml", "r", encoding="UTF-8") as xml_file:
        xml_content = xml_file.read()

then parse:

    o = xmltodict.parse(xml_content)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: RCDevs Security

79732018

Date: 2025-08-11 12:00:15
Score: 0.5
Natty:
Report link

Gradient clipping is used to limit the gradients of the model during training so they do not get too large and cause instability. It clip the gradient values before updating parameters. Suppose our clip range is (-5,5) if gradient value is 6.4 it will clip it down as 6.4/5 = 0.78. This is commonly used in where backpropagating through long sequences of hidden states is required such as in RNNs, LSTMs, and sometimes Transformers.

BatchNorm is a trainable layer. During training, it normalises the output of a layer so the mean is 0 and variance is 1 for each channel in the batch. This keeps all output elements on a similar scale — for example, preventing a case where one output value is 20000 and another is 20, which could make the model over-rely on the larger value. BatchNorm is mostly used in models such as CNNs, feed forward neural nets and other models that perform fixed computation.

Conclusion: Both solve different problems in different parts of the training process — gradient clipping handles exploding gradients in the backward pass, while BatchNorm2d stabilises activation scales in the forward pass.

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

79732015

Date: 2025-08-11 11:57:14
Score: 2.5
Natty:
Report link

Bazel option --collect_code_coverage solved this problem.

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

79732001

Date: 2025-08-11 11:42:11
Score: 2
Natty:
Report link
"experimental": {
      "rewriteRelativeImportExtensions": true
}
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Yulia

79731998

Date: 2025-08-11 11:42:11
Score: 0.5
Natty:
Report link

As a simple and quick fix add below code to your app theme

<item name="android:windowOptOutEdgeToEdgeEnforcement">true</item>

Be aware this code will be disabled and not working when your targetSdk changes to 36 or Android 16

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

79731974

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

The only working method I know is to "wrap" CheckBox into Grid:

<Toolbar>
    <Grid>
        <CheckBox .../><!-- normally looking checkbox -->
    </Grid>
</Toolbar>
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Vincent

79731973

Date: 2025-08-11 11:11:04
Score: 6.5
Natty: 5.5
Report link

Is there anyone that uses renderHook to test the hook calls inside a functional component test?

Reasons:
  • Blacklisted phrase (1): Is there any
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): Is there anyone that use
  • Low reputation (1):
Posted by: 7laria

79731959

Date: 2025-08-11 10:55:00
Score: 0.5
Natty:
Report link

I built a kubectl plugin that solves this exact problem!

kubectl-execrec is a transparent wrapper around kubectl exec that captures all commands and output. Just replace kubectl exec with kubectl execrec and everything gets logged to timestamped files.

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

79731935

Date: 2025-08-11 10:16:52
Score: 5.5
Natty:
Report link

reputation_history_type

one of asker_accepts_answer, asker_unaccept_answer, answer_accepted, answer_unaccepted, voter_downvotes, voter_undownvotes, post_downvoted, post_undownvoted, post_upvoted, post_unupvoted, suggested_edit_approval_received, post_flagged_as_spam, post_flagged_as_offensive, bounty_given, bounty_earned, bounty_cancelled, post_deleted, post_undeleted, association_bonus, arbitrary_reputation_change, vote_fraud_reversal, post_migrated, user_deleted, example_upvoted, example_unupvoted, proposed_change_approved, doc_link_upvoted, doc_link_unupvoted, doc_source_removed, or suggested_edit_approval_overridden

Reasons:
  • Blacklisted phrase (0.5): upvote
  • RegEx Blacklisted phrase (1.5): reputation
  • RegEx Blacklisted phrase (2): downvote
  • Long answer (-0.5):
  • Has code block (-0.5):
  • No latin characters (1):
  • Filler text (0.5): ,,,,,,,,,,,,,,,,,,,,,,,,,,,,,
  • Low reputation (1):
Posted by: Md Sabbir

79731930

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

To save memory and optimize memory it is default using parameter low_memory=True by reading the file in chunks to figure out the data type (dtype) for each column. The warning occurs when Pandas makes a decision based on an early chunk, but then finds conflicting data in a later chunk its either read it as string or whatsoever is it. Refer to this documentation for the parameter default.
From your experiment, i can see if pandas is processing your file as two chunk when processing 34926 lines while removing 1 is giving you warning. Which pandas for example, read your first chunk as integer, but in second chunk it seems wrongly take it as string or whatever it is which make giving you warning to declare what type of data should be that column is, that is why you should either supress it by declare dtype for each column or use low_memory=false.

Reasons:
  • Blacklisted phrase (1): this document
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Panji Tri Wahyudi

79731923

Date: 2025-08-11 10:08:50
Score: 3
Natty:
Report link

Check and delete the hidden datasets which is created for every parameter. Right click on Datasets and enable show hidden dataset. Also check the parameter value in pop-up window

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

79731916

Date: 2025-08-11 10:04:49
Score: 0.5
Natty:
Report link

I found myself in the same boat migrating from Oracle to PostgreSQL in a project, and needing this table.

Your answer here https://stackoverflow.com/a/51636290/3756780 provided me with a good starting point, but was ultimately not fully working as i needed all columns in a constraint and their position (besides some small errors in the SQL which i also fixed in my view).

My goal was to provide an as close as possible to 1:1 version of the Oracle table user_cons_columns in Postgres. So i gave the columns of this view the same name as they had in Oracle. This means you don't have to update any existing queries that use this Oracle table (besides the considerations listed below).

I did need a full list of all columns in case of a constraint with more than one column, so thanks to the comment pointing to unnest, which i chose to implement with a Common Table Expression per this answer: https://stackoverflow.com/a/48010532/3756780
The performance considerations on this structure were no issue for me, this table/view is not queried often in my application. This might be different for your use case, then consider one of the alternatives in that same post.

A few considerations before we get to the final view which i created:

This is the view i ended up with:

CREATE OR REPLACE VIEW user_cons_columns AS
WITH unnested_pg_constraint_attribute AS (select unnest(pgco.conkey) as con_key_id, *
                                          from pg_constraint as pgco)
select isc.table_schema as owner,
       pgco.conname     as constraint_name,
       isc.table_name   as table_name,
       isc.column_name  as column_name,
       pgco.con_key_id  as position
from pg_attribute as pga
         inner join pg_class as pgc on pga.attrelid = pgc.oid
         inner join pg_namespace as pgn on pgn.oid = pgc.relnamespace
         inner join information_schema.columns as isc on isc.column_name = pga.attname
    and isc.table_name = pgc.relname
         inner join unnested_pg_constraint_attribute as pgco on pgco.con_key_id = pga.attnum
    and pgco.connamespace = pgc.relnamespace
    and pgco.conrelid = pga.attrelid
order by owner, constraint_name, table_name, position;

Tested on PostgreSQL 12.22, compiled by Visual C++ build 1942, 64-bit

Reasons:
  • Blacklisted phrase (0.5): thanks
  • Blacklisted phrase (0.5): i need
  • Blacklisted phrase (1): stackoverflow
  • Long answer (-1):
  • Has code block (-0.5):
Posted by: slindenau

79731915

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

To answer the first half: If you don't need to ever use the double-less-than symbol, (and double-greater-than) you can simply redefine them using a show-rule:

#show symbol(math.lt.double): symbol(math.angle.l.double)
#show symbol(math.gt.double): symbol(math.angle.r.double)

However, this will change all instances of math.lt.double, not just the ones you get with <<.

It is possible to only apply this change to math-mode, by doing:

#show math.equation: it =>{
  show symbol(math.lt.double): symbol(math.angle.l.double)
  show symbol(math.gt.double): symbol(math.angle.r.double)
  it
}

I don't know how to achieve the second half, replacing +- with ± in math-mode.

Reasons:
  • Blacklisted phrase (1): how to achieve
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: AsgerHB

79731913

Date: 2025-08-11 10:00:48
Score: 1.5
Natty:
Report link

The best course of action was to skip using a CollisionPolygon2D at all and instead just check Geometry2D.is_point_in_polygon(pos, polygon.polygon) on the visual Polygon2D. Where pos is the position of the mouse.

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

79731911

Date: 2025-08-11 09:59:47
Score: 2
Natty:
Report link

Yes, absolutely. That error message:

"because search permissions are missing on a component of the path"

means that Apache (or the web server user) does not have execute (search) permission on one or more directories in the path to the static files.

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

79731896

Date: 2025-08-11 09:44:44
Score: 2
Natty:
Report link

In Android Studio Narwhal

enable modal settings -> advance settings -> version control -> "Use modal commit ...."
use modal commit interface

disable settings -> version control -> git -> "Enable Staging Area"
enable staging area

Finally I got the Local Changes in git window

git window

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

79731894

Date: 2025-08-11 09:44:44
Score: 0.5
Natty:
Report link

If I were you, for your purpose, I will change to Vscode with Code for IBM i plugin.

https://github.com/codefori/vscode-ibmi

It propose a better way for using Git: https://codefori.github.io/docs/developing/local/git/.

For the build, you can use Source Orbit and BOB that will automate it.

I can not explain all the stuff about this development Framework, it will be very long so I enjoin you to read these documentations:

https://codefori.github.io/docs/

https://ibm.github.io/sourceorbit/#/

https://ibm.github.io/ibmi-bob/#/

To install all of these usefil plugins, you can install the IBM i Development Pack.

It contains :

Regards,

Olivier.

Reasons:
  • Blacklisted phrase (1): Regards
  • Whitelisted phrase (-1.5): you can use
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Olivier Drubigny

79731888

Date: 2025-08-11 09:35:42
Score: 2
Natty:
Report link

The issue for me was due to the fact the app is served in http

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

79731873

Date: 2025-08-11 09:20:38
Score: 1
Natty:
Report link

Solved by these steps:

  1. Removed pods and Podfile.lock, clear DerivedData and clean build

  2. rvm use 3.4.5

  3. bundle install

  4. bundle exec pod install --repo-update

  5. gem install ffi -- --enable-libffi-alloc (for my M1 chip)

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Radek Mezuláník

79731872

Date: 2025-08-11 09:20:38
Score: 0.5
Natty:
Report link

Assuming you are after the percentage of each count relative to their group instead of 100%, you need to include the groups in denominator of tbl_hierarchical().

tbl_list <- lapply(group_vars, function(var) {
  gtsummary::tbl_hierarchical(
    data = adsl,
    denominator = adsl %>% 
      select(USUBJID, all_of(var)),
    id = USUBJID,
    by = .data[[var]],
    variables = c(SITEGR1, SITEID)
  )
})

enter image description here

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

79731871

Date: 2025-08-11 09:19:38
Score: 1
Natty:
Report link

It sounds like updateCurrentTranscriptItem() is being called on every playback time update without any limit, so multiple scroll events are triggered in quick succession and interrupt each other.

You can fix this by wrapping the call in a throttle() or debounce() function and adding behavior: "smooth" to keep the scroll consistent.

This kind of performance tuning is a common topic in front-end development — I’ve seen it come up often when mentoring new developers during our internship program at https://www.modsen-software.com/

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

79731864

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

Update: GITHUB_RUN_NUMBER ENV variable is available, see docs: https://docs.github.com/en/actions/reference/workflows-and-actions/variables

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

79731853

Date: 2025-08-11 09:02:33
Score: 2.5
Natty:
Report link

See link https://www.ibm.com/docs/en/i/7.6.0?topic=ssw_ibm_i_76/rzaha/stdiosys.html
QIBM_RPG_JAVA_PROPERTIES - set os400.stdio.convert=N
Also available for child properties **os400.child.stdio.convert **
Pre create and pre-open your file and set the CCSID to 1202 for UTF8 for example.

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

79731852

Date: 2025-08-11 08:57:32
Score: 1
Natty:
Report link

Keycloak uses protocol mappers to map attributes on the user to claims in the resulting token.

If you want to map a custom, new attribute to the token, you need to configure a new protocol mapper. You do this either on a per-client basis by clicking on the client, then on its dedicated client scope and adding the mapper there or, if you want it for multiple clients, you can add a new client scope under the client scopes option, add the mapper and then add the scope to multiple clients.

Make sure to check the 'add to access token' toggle when defining the mapper.

You can find an example on how to map a custom attribute in this Baeldung tutorial.

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

79731850

Date: 2025-08-11 08:56:31
Score: 5
Natty:
Report link

Just posted a video about this. Here is how to do it:
https://youtu.be/7NdjUl2aRZc

Reasons:
  • Blacklisted phrase (1): youtu.be
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Xinitry

79731847

Date: 2025-08-11 08:55:31
Score: 1.5
Natty:
Report link

In Chrome and Edge, backdrop-filter only blurs the content directly behind an element, not its children. This means that if your dropdown is placed inside a blurred navbar, it cannot “see” past the navbar’s background to blur the page content. While Safari and Firefox handle this as expected, Chrome and Edge fail because the dropdown is trapped within the navbar’s stacking context. The most reliable fix is to render the dropdown outside the navbar—either as a DOM sibling or via a React Portal to document.body—and position it absolutely beneath the trigger button so it can blur the page background directly. If you must keep it inside the navbar, give the dropdown its own semi-transparent background with backdrop-blur-lg (plus will-change: backdrop-filter and -webkit-backdrop-filter for WebKit) and ensure no ancestor has overflow: hidden or transform.

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

79731843

Date: 2025-08-11 08:52:30
Score: 0.5
Natty:
Report link

Like mentionned in the error message, you need to create an admin class for the ActionConfig entity with the function configureFormFields

Bellow an exemple of code.

<?php

namespace App\Admin;

use Sonata\AdminBundle\Admin\AbstractAdmin;
use Sonata\AdminBundle\Form\FormMapper;

final class ActionConfigAdmin extends AbstractAdmin
{
    protected function configureFormFields(FormMapper $form): void
    {
        $form->add('your_field_name');
    }
}

Don't forget to register it in the config/services.yaml with your name convention

# config/services.yaml
services:
    app.admin.action.config:
        class: App\Admin\ActionConfigAdmin
        tags:
            - {
                  model_class: App\Entity\ActionConfigAdmin,
                  name: sonata.admin,
                  manager_type: orm,
                  group: actrionAdmin,
                  label: actrionAdmin,
              }
        public: true

Documentation : https://docs.sonata-project.org/projects/SonataAdminBundle/en/4.x/reference/form_types/#sonata-adminbundle-form-type-admintype

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

79731836

Date: 2025-08-11 08:42:27
Score: 2.5
Natty:
Report link

/*JAVA*/

String Name="Rudra";

System.out.println(Name.getClass().getName());

//JAVACSRIPT

let num=25;

console.log(typeof num);

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

79731834

Date: 2025-08-11 08:39:26
Score: 3
Natty:
Report link

You can integrate our tool at omocaptcha.com which can solve many types of captchas and is updated regularly

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

79731831

Date: 2025-08-11 08:37:26
Score: 1.5
Natty:
Report link

This solution isn't cool at all!

Because click essentially sends a window message, if the window is blocked or hidden, the click method will fail.

However, the Invoke() method, provided by FlaUI, doesn't rely on window messages and won't fail even if the window is blocked or hidden.

However, if a modal window pops up, it will be blocked!

So, in reality, the problem is still not completely solved.

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

79731826

Date: 2025-08-11 08:34:25
Score: 2.5
Natty:
Report link

I reproduce the issue. This come from M2Doc depending on Batik 1.17 and Eclipse 2025-06 using Batik 1.18. I opened the following issue.

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

79731822

Date: 2025-08-11 08:29:24
Score: 1
Natty:
Report link

After restarting & Eclipse

Everything ranfaster

I was able to send 10 00 mail in 40 second in java

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

79731821

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

I'm relatively new to this stuff, but I think it's impossible, for mathematical reasons. I'll try to explain below.

Any training metric must be differentiable with respect to the model parameters, so that the training process is able to optimise with respect to that metric, and find a local minimum / maxmimum.

The F1 score is defined as a function of precision and recall. These are both integer-valued 'counts' of the number of values in two blocks of the confusion matrix, and are therefore not differentiable with respect to model parameters.

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

79731817

Date: 2025-08-11 08:24:21
Score: 14.5
Natty: 5.5
Report link

I'm currently facing the same issue. May I ask you how did you fix it?

Reasons:
  • Blacklisted phrase (1): how did you fix
  • Blacklisted phrase (1): May I ask
  • RegEx Blacklisted phrase (3): did you fix it
  • RegEx Blacklisted phrase (1.5): fix it?
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): facing the same issue
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Sphiment

79731810

Date: 2025-08-11 08:18:18
Score: 2.5
Natty:
Report link

I really enjoyed reading this post. Speaking of stylish outerwear, if you’re into premium designs, check out Oskar Jacket’s collection. Their Ross leather jacket is a perfect blend of timeless style and comfort definitely worth a look for fashion lovers

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

79731801

Date: 2025-08-11 08:12:17
Score: 0.5
Natty:
Report link

Prophet is a great time-series forecasting library, but it is known to struggle with count data, especially when being close to zero. I’ve encountered this issue frequently in my work, which ultimately led me to develop a new Prophet-inspired library: Gloria.

Gloria addresses this problem by introducing a number of new distributions beyond the normal distribution. For instance, count data can be handled using Poisson, Binomial, Negative Binomial, or Beta-Binomial distributions. The following code block showcases how I would try to treat your data, which is similar to what is shown in the Saturation tutorial:

import pandas as pd
from gloria import Gloria, cast_series_to_kind, CalendricData

# Load the data
data = pd.read_csv("headcounts.csv")

# Save the column names for later use
timestamp_name="Date"
metric_name="Headcount"

# Convert timestamp to datetime
data[timestamp_name] = pd.to_datetime(data[timestamp_name])

# Ensure metric is an unsigned integer
data[metric_name] = cast_series_to_kind(data[metric_name], "u")

# Set up the Gloria model
m = Gloria(
    model="binomial",
    timestamp_name=timestamp_name,
    metric_name=metric_name,
    sampling_period="15min",
    n_changepoints = 0
)

# Create protocol for calendric data
calendric_protocol = CalendricData(country = "US")

# Add the protocol
m.add_protocol(calendric_protocol)

# Fit the model to the data
m.fit(data, capacity = 180)

# Predict
forecast = m.predict(periods=24 * 60 * 4)

# Plot the results
m.plot(forecast, show_capacity=True)
m.plot_components(forecast)

Some remarks:

m = Gloria(...)

# Define the event profile
profile = Gaussian(width="30d")       # one month Gaussian drop

# Add event to model
m.add_event(
    name="drop",
    regressor_type="SingleEvent",     # choose the regressor class
    profile=profile,                  # attach the profile
    t_anchor="2024-01-01"             # anchor time
)

m.fit(...)

Fitting your data in this way should give you a number of advantages

  1. No more drops in the prediction below zero.

  2. All predictions and confidence bands are integer values, respecting the lower and upper bounds of your data.

  3. The prediction should better match your observed weekly peaks (Prophet pulls the prediction down towards zero due to the zero-inflated data. This way the prediction average fits the data at the expense of extreme values)

  4. Fitting the drop with an event clearly separates this vacation effect from other patterns.

Regards,

Benjamin

Reasons:
  • Blacklisted phrase (1): Regards
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Benjamin Kambs

79731799

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

If you have target groups and it is saying unhealthy in health check then it will stall the first ever deployment process to on Install phase, so you have to de-register the instance or service connected to target group and then once the deployment is completed then you can register the service again in target groups and it will healthy if the targeted port is exposed or otherwise you will have to figure it out in logs. I used docker logs to check where things go wrong.. deployment was successful but my internal code was faulty.

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

79731794

Date: 2025-08-11 08:06:15
Score: 0.5
Natty:
Report link

This is just a general error for something going wrong with your chrome binary. To see if you're missing any dependency libraries on Linux, you can do ps aux | chrome and you may see an error pop up such as chrome: error while loading shared libraries: libxkbcommon.so.0: cannot open shared object file: No such file or directory Then you would know to download libxkbcommon0 (apt-get update && apt-get install -y libxkbcommon0)

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

79731791

Date: 2025-08-11 07:58:13
Score: 0.5
Natty:
Report link

There is few of things for you to check.
1. Check your Github PAT. Check the permission scopes and expiration date of token you are currently using. You might need to generate new one. For the details documentation related to it you can check it here.
2. Then delete old github credential from Credential Manager on your computer by searching it and remove git:https://github.com

Additional to check :
- Check Repository Permission and ensure that if you still have write access on it, because if you only have read access it will never work.
- Check the SSO Authorization, if it using SSO then you might need to authorize the token on it.

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

79731778

Date: 2025-08-11 07:38:07
Score: 10
Natty: 5.5
Report link

Dude, did you find the answer?

Reasons:
  • RegEx Blacklisted phrase (3): did you find the answer
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: Molly000

79731773

Date: 2025-08-11 07:37:07
Score: 4
Natty: 5
Report link

Hi Thanks this helped me resolve the issue.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Sonia Pandit

79731772

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

Short answer:this is issue with the libigl Python bindings

Quick fix:roll back libigl to an older version, try earlier releases one by one until the function appears

The more proper but time consuming approach is review the libigl changelog and related issues/PRs to see if the function was removed or renamed in the bindings,and then pin the required version in your project

Reasons:
  • No code block (0.5):
Posted by: Kirill Ilichev

79731768

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

SAFr Auth is a cutting-edge, SIM-based authentication solution offered by Times Mobile in partnership with Sekura.id. It enables OTP-less, real-time user verification leveraging the cryptographic capabilities present within mobile SIM cards—eliminating the need for passwords, SMS codes, or other multi-factor interventions.

https://timesmobile.in/index.php/safr-auth-from-sekura-id/

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

79731767

Date: 2025-08-11 07:27:04
Score: 5
Natty:
Report link

Stopping goroutines from outside is not possible in golang. But yes, there are ways to do that in golang. I refer you to this post, which covers all those ways with explanations. How to kill running goroutines from outside?

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

79731766

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

That is the convex button, Above examaples might help but you can use this package to make the life easier, Also you can get convex paiting method from package and customize to your needs.

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

79731763

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

You need to drop the comma from the name object after output. It should look something like this:

name = new { name = "Outputs"}
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Ayush Jain

79731756

Date: 2025-08-11 07:17:00
Score: 0.5
Natty:
Report link
{
  "item_a": {
    "name": "Item A",
    "description": "..."
  },
  "item_b": {
    "name": "Item B",
    "description": "..."
  }
}

Your json format should be like this. it will be wrk for you.

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

79731752

Date: 2025-08-11 07:09:59
Score: 3
Natty:
Report link

Simply do

public override string ToString() => $"{_name}, {_number}, {_date}, {_salary}";

From micorsoft documentations.

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

79731750

Date: 2025-08-11 07:08:58
Score: 1.5
Natty:
Report link

This appears to be a bug which has been resolved in their code base. See this commit, according to the tags the earliest release that fixes this issue is 10.3.0.0-68. Sadly after Pentaho 10.2.0.0-222 (October 2024) there haven't been any developer/community edition releases anymore. So until Hitachi bothers to create a new developer release we're stuck with this bug.

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

79731747

Date: 2025-08-11 07:06:58
Score: 1.5
Natty:
Report link

Regarding the only on these timesteps - this depends on the dynamics in the model - but at least you can write an s-function that hits these samples. The last item of the examples table for level-2 m- sfunctions might be a good start.

https://nl.mathworks.com/help/releases/R2025a/simulink/sfg/s-function-examples.html#bq9pj0l

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Co - MonkeyProof Solutions

79731745

Date: 2025-08-11 07:03:57
Score: 0.5
Natty:
Report link

For me I tried use shape property from Bar

interface PaddedBarProps extends RectangleProps {
  x?: number;
  y?: number;
  width?: number;
  height?: number;
  fill?: string;
  payload?: unknown[];
  index?: number;
}

const PaddedBar = ({
  x = 0,
  y = 0,
  width = 0,
  height = 0,
  fill,
  payload,
  index,
}: PaddedBarProps): React.ReactElement => {
  const gap = 2; // px
  const isLast = index === (payload?.length ?? 0) - 1;

  return (
    <rect
      x={x}
      y={y + (isLast ? 0 : gap)}
      width={width}
      height={height - (isLast ? 0 : gap)}
      fill={fill}
    />
  );
};
//usage
<Bar
              dataKey='recycledLog'
              name={LABELS.RECYCLE}
              fill={COLORS.RECYCLE}
              stackId={"weight"}
              shape={<PaddedBar />}
            />
            <Bar
              dataKey='nonRecycledLog'
              radius={[2, 2, 0, 0]}
              stackId={"weight"}
              name={LABELS.NON_RECYCLE}
              fill={COLORS.NON_RECYCLE}
            />

Result:

enter image description here

Source: https://github.com/recharts/recharts/issues/2244#issuecomment-2288572842

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

79731737

Date: 2025-08-11 06:54:55
Score: 3.5
Natty:
Report link

Have you looked into Project Dependencies Mass Update Tool?

This is a tool that comes as part of the UiPath Studio package.
Here you can select several projects for updating, pick and chose the dependencies to update, and even publish the projects afterwards.

https://docs.uipath.com/studio/standalone/latest/user-guide/project-dependencies-mass-update

Regards
Soren

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

79731736

Date: 2025-08-11 06:53:54
Score: 1.5
Natty:
Report link

The <!DOCTYPE html> is not part of the DOM.

Please use

<!DOCTYPE html>
<html lang="en" data-theme="corporate"> 
    ...
</html>
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Biswajit Bala

79731734

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

I also faced the same problem today. My friend works on my startup with the latest version of AndroidStudio and i installed that IDE a month ago

So i just simply found the libs.versions.toml file and updated this line:

[versions]
agp = "8.9.1"
previous was 8.11.1
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Ahmadov Mahammad

79731725

Date: 2025-08-11 06:47:53
Score: 2.5
Natty:
Report link

In React 19 (at least) ES modules are provided. Now you can simply do:

import React from "https://esm.sh/react"
import ReactDOM from "https://esm.sh/react-dom/client"

I recently did something related and explained my solution on this blog post.

Reasons:
  • Blacklisted phrase (1): this blog
  • Contains signature (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: tripu

79731722

Date: 2025-08-11 06:45:53
Score: 2.5
Natty:
Report link

Yes, in golang, you can't stop or kill goroutines directly. The Go team does this intentionally to prevent inconsistent memory states. However, there are ways to kill it from the outside. How to kill running goroutines from outside? Here are all the ways mentioned.

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

79731711

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

I ran into the same problem and the following solution worked for me. I recreated the minikube cluster with the Docker engine by running:

minikube start --driver=docker
Reasons:
  • Whitelisted phrase (-1): worked for me
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Роман Пикуленко

79731706

Date: 2025-08-11 06:17:46
Score: 2
Natty:
Report link

Whether CORBA is dead or alive is a foolish debate... There's a tool that fits a certain range of tasks. Two years ago, I needed a feature for distributed objects that could send events to subscribers at high speed. I chose CORBA and C++, and over time, I’ve more or less learned the spec. No matter how complex the specification was, I released the first version in three months. I achieved fault tolerance, automatic reconnections in case of link failure. I ran a test for 10 seconds, pushing 200 KB data blocks to subscribers via localhost through the server—average speed was 2 milliseconds. So, if your task doesn’t require high speed or various technologies like AMI, AMH, then you simply don’t need this tool.

Reasons:
  • Blacklisted phrase (0.5): I need
  • Long answer (-0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Александр Гордиенко

79731696

Date: 2025-08-11 06:10:44
Score: 12
Natty: 8.5
Report link

i am also getting same error but nothing is missing
can anyone help??

Reasons:
  • RegEx Blacklisted phrase (3): can anyone help
  • RegEx Blacklisted phrase (1): i am also getting same error
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): i am also getting same error
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: vyshnav

79731690

Date: 2025-08-11 05:56:41
Score: 1
Natty:
Report link

Accessing Drupal’s admin panel is straightforward, but it depends slightly on your Drupal version. Here’s the quick guide:

1. Log in to your Drupal site

2. Navigate to the admin dashboard

3. Use the direct admin URL
You can also go directly to:
https://yoursite.com/admin
This takes you straight to the main administration page.

If you need more further details you can visit Drupal agency

Reasons:
  • Contains signature (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Drupal Agency

79731688

Date: 2025-08-11 05:50:40
Score: 1
Natty:
Report link

Tital:blast message| Ratsms

Deliver your message to thousands instantly using the blast message service from Bulk-SMS.Services. Whether it’s a promotional offer, service update, or emergency alert, our bulk SMS platform helps you broadcast messages with speed and precision. Simply upload your contact list, craft your message, and launch the blast campaign in seconds. Our high-delivery-rate infrastructure ensures your messages reach inboxes reliably. Ideal for real estate, events, education, and e-commerce, our message blast tools are easy to use and highly effective. Engage your audience, increase response rates, and simplify mass communication with our advanced bulk message blasting features.

Url:https://bulk-sms.services/

Tags:Bulk sms,Bulk message

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

79731684

Date: 2025-08-11 05:44:38
Score: 2
Natty:
Report link

you are getting this error because your Node.js and npm are very old, and they can’t talk to the new npm website.To fix it, go to nodejs.org and download the latest version of Node.js. This will also give you a new npm that works with today’s servers. After you update Node.js and npm, run npm install again, and your packages should install without errors.

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

79731675

Date: 2025-08-11 05:33:36
Score: 2.5
Natty:
Report link

Another option is need to check correct dll version with current PHP version, TS (Thread Safe) or Non TS version.

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

79731668

Date: 2025-08-11 04:56:28
Score: 2
Natty:
Report link

"The IV must be the same for a particular encryption/decryption."

This means that when you're encrypting data, you need to use the same Initialization Vector (IV) for both encryption and decryption. If you generate a new IV for decryption, it won't work.

To fix the issue, you can store the IV with the encrypted data and reuse it during decryption.

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

79731666

Date: 2025-08-11 04:53:28
Score: 2
Natty:
Report link

This should work, but regardless of that. SDK and arming is not reliable. What you should do is either create TCP server or HTTP server yourself and use HTTP Listening mode. This way you are not risking of having fail to arm, or arm stuck mode.

Reasons:
  • Whitelisted phrase (-2): This should work
  • RegEx Blacklisted phrase (1.5): m stuck
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Luka T

79731664

Date: 2025-08-11 04:52:28
Score: 2.5
Natty:
Report link

It appears to be a known, open bug, right now: https://github.com/lit/lit/issues/3025

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: Computer says 'no'--SOooooo

79731653

Date: 2025-08-11 04:22:22
Score: 1
Natty:
Report link

@Mnyikka's answer didn't work for me, but inspired me to write this:

    function ExtractFromDiv(html, id) {
        do {
            let i = html.indexOf("<div");
            if (i < 0) { return '' };
            html = html.substring(i);
            i = html.indexOf(">");
            let tag = html.substring(0, i + 1);
            html = html.substring(i + 1);
            i = tag.indexOf('id="');
            if (i < 0) {
                i = tag.indexOf("id='");
                if (i < 0) { continue };
                tag = tag.substring(i + 4);
                i = tag.indexOf("'");
                if (i < 0) { continue };
                tag = tag.substring(0, i);
                if (tag !== id) { continue };
                break;
            } else {
                tag = tag.substring(i + 4);
                i = tag.indexOf('"');
                if (i < 0) { continue };
                tag = tag.substring(0, i);
                if (tag !== id) { continue };
                break;
            }
        } while (html.length > 0);
        if (html.length === 0) { return '' };
        let content = html;
        let n = 0;
        do {
            let x = content.indexOf('<div');
            let y = content.indexOf('</div');
            if (x < 0 || x > y) {
                content = content.substring(y);
                y = content.indexOf(">");
                content = content.substring(y + 1);
                if (n === 0) {
                    break;
                } else {
                    n--;
                }
            } else {
                content = content.substring(x);
                x = content.indexOf(">");
                content = content.substring(x + 1);
                n++;
            }
        } while ( content.length > 0 );
        html = html.substring(0, html.length - content.length);
        n = html.lastIndexOf("</div");
        if (n !== -1 ) {
            html = html.substring(0, n);
        }
        return html;
    }
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @Mnyikka's
  • Looks like a comment (1):
  • Low reputation (0.5):
Posted by: Steve Mol

79731647

Date: 2025-08-11 04:12:19
Score: 0.5
Natty:
Report link

I run across similar problem before.

Here all() takes care of the filter, but custom filter does not.

So another solution to your problem could be applying self instead of super().

return super().get_queryset().order_by("start_time")
#change above to below:
return self.get_queryset().order_by("start_time")
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Ranger

79731628

Date: 2025-08-11 03:13:08
Score: 3
Natty:
Report link

ssl pinning may be an issue on new ios versions. any sensitive data is not able to be read by charles.

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

79731626

Date: 2025-08-11 03:02:06
Score: 1.5
Natty:
Report link

Add this

img.cat {
  width: 200px;
  position: relative;
  z-index: 1;
  pointer-events: none; /* allows clicks to pass through */
}
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: sekrupman

79731621

Date: 2025-08-11 02:52:04
Score: 0.5
Natty:
Report link

None of these answers worked for me on MacOS 10.14 Mojave.

Someone answered to clear ~/.bash_history.

I instead edited ~/.bash_history to remove the lines I didn't want anymore, saved the file, and restarted the terminal.

This worked.

Intuitive, direct, simple, and fast.

Reasons:
  • Whitelisted phrase (-1): worked for me
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: joecap5

79731610

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

Short answer: you can’t tap other participants’ audio from the Teams client. Microsoft only supports two paths:

  1. After-the-meeting transcripts (official API):
  1. Real-time audio (build a meeting bot):

Notes:

If you need a WebSocket fan-out for live transcript chunks to your UI, our ChatterBox meeting bot API shows a practical pattern for streaming to clients. Disclosure: I work on ChatterBox (https://chatter-box.io/).

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

79731609

Date: 2025-08-11 01:51:53
Score: 3.5
Natty:
Report link

The answer seems to be:

open App Store

find Xcode developer tools

re-install

Then it appears in the sidebar. macos did not want to reboot; it is already in the sidebar

A mystery remains: where is the path for this code?

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Self-answer (0.5):
Posted by: Jacob Wegelin

79731599

Date: 2025-08-11 01:26:48
Score: 2.5
Natty:
Report link

I have amended my original post with the solution.

In summary, the T and Y generic types needed to be defined as where T : new() where Y : class

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

79731598

Date: 2025-08-11 01:26:47
Score: 8
Natty: 6
Report link

Did you find a solution to this?? I am currently experiencing something similar.

Reasons:
  • RegEx Blacklisted phrase (3): Did you find a solution to this
  • Low length (1.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): Did you find a solution to this
  • Low reputation (1):
Posted by: Deewhy

79731592

Date: 2025-08-11 01:04:43
Score: 0.5
Natty:
Report link

To debug mobile browser webgl contexts, console add-ons such as Eruda will not show gpu errors:

<script src="https://cdn.jsdelivr.net/npm/eruda"></script>
<script>eruda.init();</script>

To see them, navigate to chrome://gpu. A log will be the last information on the page. In my case, the log was as big as it could be, starting at 1/5th of the page.

Found out that my textures needed to be a power of 2. Power of 2 textures fixed the black rendering problem.

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

79731582

Date: 2025-08-11 00:42:38
Score: 1.5
Natty:
Report link

Nice — let’s make a playable browser boxing game right now. Below is a single self-contained index.html you can save and open in any modern browser. It’s lightweight, uses <canvas>, supports:

Save all of this as index.html and open it in your browser.

Game file — save as index.html

<!doctype html>
<html lang="en">
<head>
<meta charset="utf-8" />
<meta name="viewport" content="width=device-width,initial-scale=1" />
<title>Mini Boxing — Single HTML Game</title>
<style>
  :root{
    --bg:#111;
    --panel:#0f1720;
    --accent:#f97316;
    --bar-bg:#334155;
    --friendly:#10b981;
    --danger:#ef4444;
    font-family: Inter, ui-sans-serif, system-ui, -apple-system, "Segoe UI", Roboto, "Helvetica Neue", Arial;
  }
  html,body{height:100%;margin:0;background:linear-gradient(180deg,var(--bg),#000);color:#eee;display:flex;align-items:center;justify-content:center}
  .wrap{width:960px;max-width:96vw;background:linear-gradient(180deg,#08101a,#0c1319);border-radius:12px;padding:18px;box-shadow:0 10px 30px rgba(0,0,0,0.6)}
  header{display:flex;align-items:center;justify-content:space-between;margin-bottom:12px}
  h1{font-size:18px;margin:0}
  .controls{font-size:13px;opacity:0.9}
  canvas{display:block;background:#081018;border-radius:8px; width: 100%; height: 480px; image-rendering: auto;}
  .hud{display:flex;gap:12px;margin-top:8px;align-items:center;justify-content:space-between}
  .panel{background:var(--panel);padding:10px;border-radius:8px;flex:1}
  .bars{display:flex;flex-direction:column;gap:8px}
  .bar{height:14px;background:var(--bar-bg);border-radius:7px;overflow:hidden;position:relative}
  .bar > i{position:absolute;left:0;top:0;bottom:0;width:100%;transform-origin:left;transition:width 0.12s linear}
  .health-i{background:linear-gradient(90deg,var(--friendly),#60a5fa)}
  .enemy-i{background:linear-gradient(90deg,#f43f5e,#f97316)}
  .stamina-i{background:linear-gradient(90deg,#c7f9dc,#60a5fa)}
  .meta{display:flex;gap:8px;align-items:center;justify-content:space-between;margin-top:8px}
  .meta .big{font-weight:700}
  .footer{display:flex;gap:8px;justify-content:flex-end;margin-top:10px}
  button{background:var(--accent);border:none;padding:8px 12px;border-radius:8px;color:#081018;font-weight:700;cursor:pointer}
  button.secondary{background:#334155;color:#cbd5e1}
  small{opacity:0.8}
</style>
</head>
<body>
<div class="wrap">
  <header>
    <h1>Mini Boxing — vs AI</h1>
    <div class="controls">
      Controls — Move: A / D, Jab: J, Heavy: K, Dodge: L, Block: Space, Pause: P
    </div>
  </header>

  <canvas id="game" width="920" height="480"></canvas>

  <div class="hud">
    <div class="panel" style="flex:0.62">
      <div style="display:flex;justify-content:space-between;align-items:center">
        <div>
          <div style="font-size:13px">Player</div>
          <div class="bars" style="width:320px">
            <div class="bar"><i id="player-health" class="health-i" style="width:100%"></i></div>
            <div class="bar"><i id="player-stam" class="stamina-i" style="width:100%"></i></div>
          </div>
        </div>
        <div style="text-align:right">
          <div style="font-size:13px">Opponent</div>
          <div class="bars" style="width:200px">
            <div class="bar"><i id="enemy-health" class="enemy-i" style="width:100%"></i></div>
            <div class="bar"><i id="enemy-stam" class="stamina-i" style="width:100%"></i></div>
          </div>
        </div>
      </div>

      <div class="meta">
        <div><small>Round:</small> <span id="round" class="big">1</span></div>
        <div><small>Time left:</small> <span id="timer" class="big">60</span>s</div>
        <div><small>State:</small> <span id="state">FIGHT</span></div>
      </div>
    </div>

    <div style="flex:0.38;display:flex;flex-direction:column;gap:8px">
      <div class="panel" style="text-align:center">
        <div style="font-size:14px;font-weight:700">Score</div>
        <div style="display:flex;gap:12px;justify-content:center;margin-top:8px">
          <div><small>Player</small><div id="score-player" style="font-size:18px">0</div></div>
          <div><small>AI</small><div id="score-ai" style="font-size:18px">0</div></div>
        </div>
      </div>
      <div style="display:flex;gap:8px">
        <button id="btn-restart" class="secondary">Restart</button>
        <button id="btn-toggle" >Pause</button>
      </div>
    </div>
  </div>

  <div class="footer"><small>Made with &lt;canvas&gt; — lightweight demo</small></div>
</div>

<script>
/* -------------------------
   Simple 2D Boxing Game
   -------------------------
   Controls:
    - A / D : move left / right
    - J : jab (quick light punch)
    - K : heavy punch (slower, more damage)
    - L : dodge (fast short evade)
    - Space: block (reduce incoming damage)
    - P : pause
*/

const canvas = document.getElementById('game');
const ctx = canvas.getContext('2d');

const W = canvas.width, H = canvas.height;
let paused = false;

/* Utility */
function clamp(v,a,b){return Math.max(a,Math.min(b,v))}
function now(){ return performance.now(); }

/* Player & Enemy basic config */
const physics = {
  friction: 0.85,
  gravity: 0, // no vertical gravity (boxing on flat)
  arenaPadding: 120
};

class Fighter {
  constructor(opts){
    this.name = opts.name;
    this.x = opts.x;
    this.y = H - 140;
    this.w = 50; this.h = 120;
    this.vx = 0;
    this.facing = opts.facing; // 1 = right, -1 = left
    this.color = opts.color;
    this.maxHealth = 100;
    this.health = this.maxHealth;
    this.maxStam = 100;
    this.stamina = this.maxStam;
    this.state = 'idle'; // idle, move, jab, heavy, block, dodge, stunned
    this.stateTimer = 0;
    this.comboCooldown = 0;
    this.lastHit = 0;
    this.score = 0;
    this.canMove = true;
  }

  reset(x,facing){
    this.x = x; this.facing = facing; this.vx = 0;
    this.health = this.maxHealth; this.stamina = this.maxStam;
    this.state='idle'; this.stateTimer=0; this.lastHit=0;
  }

  getHitbox(){
    // simplified rectangular hitbox
    return {x: this.x - this.w/2, y:this.y - this.h, w:this.w, h:this.h};
  }

  getPunchBox(){
    // jab: small reach; heavy: larger reach and height
    if(this.state === 'jab'){
      return {x: this.x + this.facing*30, y:this.y - 80, w:40, h:30};
    } else if(this.state === 'heavy'){
      return {x: this.x + this.facing*45, y:this.y - 90, w:60, h:40};
    }
    return null;
  }

  damage(amount){
    this.health = clamp(this.health - amount, 0, this.maxHealth);
  }

  changeState(st, t=300){
    this.state = st; this.stateTimer = t;
    if(st==='jab') { this.stamina = clamp(this.stamina - 8, 0, this.maxStam); }
    if(st==='heavy'){ this.stamina = clamp(this.stamina - 20, 0, this.maxStam); }
    if(st==='dodge'){ this.stamina = clamp(this.stamina - 12, 0, this.maxStam); }
    if(st==='block'){ /* drains slowly elsewhere */ }
  }

  update(dt){
    // timers
    if(this.stateTimer>0) this.stateTimer = Math.max(0, this.stateTimer - dt);

    if(this.stateTimer === 0 && ['jab','heavy','dodge','stunned'].includes(this.state)){
      // revert to idle automatically
      this.state = 'idle';
    }

    // stamina regen when idle or moving
    if(!['jab','heavy','dodge'].includes(this.state)){
      this.stamina = clamp(this.stamina + dt*0.02, 0, this.maxStam);
    }

    // velocity
    this.x += this.vx * dt * 0.06;
    this.vx *= physics.friction;

    // clamp arena
    const leftBound = physics.arenaPadding;
    const rightBound = W - physics.arenaPadding;
    this.x = clamp(this.x, leftBound, rightBound);
  }

  draw(ctx){
    // shadow
    ctx.fillStyle = "rgba(0,0,0,0.25)";
    const hb = this.getHitbox();
    ctx.fillRect(hb.x+6, hb.y+this.h+4, hb.w-12, 8);

    // body
    ctx.fillStyle = this.color;
    ctx.fillRect(hb.x, hb.y, hb.w, hb.h);

    // head
    ctx.fillStyle = '#222';
    ctx.fillRect(hb.x + hb.w*0.15, hb.y - 28, hb.w*0.7, 28);

    // arms when attacking
    const pb = this.getPunchBox();
    if(pb){
      ctx.fillStyle = '#ffdbb5';
      ctx.fillRect(pb.x - pb.w/2, pb.y, pb.w, pb.h);
    }

    // simple face
    ctx.fillStyle = '#111';
    ctx.fillRect(hb.x + hb.w*0.35, hb.y - 22, 6, 6);
    ctx.fillRect(hb.x + hb.w*0.55, hb.y - 22, 6, 6);
  }
}

/* Game state */
const player = new Fighter({name:'You', x: W*0.3, facing: 1, color:'#2563eb'});
const enemy  = new Fighter({name:'AI',  x: W*0.7, facing: -1, color:'#ef4444'});
let round = 1;
let roundTime = 60; // seconds per round
let timeLeft = roundTime;
let roundActive = true;
let lastFrame = now();

/* Input handling */
const keys = {};
window.addEventListener('keydown', e => {
  if(e.key === 'p' || e.key === 'P'){ togglePause(); }
  keys[e.key.toLowerCase()] = true;
  // block with space
  if(e.code === 'Space') keys[' '] = true;
});
window.addEventListener('keyup', e => { keys[e.key.toLowerCase()] = false; if(e.code==='Space') keys[' '] = false; });

/* Buttons */
document.getElementById('btn-restart').onclick = () => { restartMatch(); };
document.getElementById('btn-toggle').onclick = () => { togglePause(); };

function togglePause(){
  paused = !paused;
  document.getElementById('btn-toggle').textContent = paused ? 'Resume' : 'Pause';
}

/* Simple WebAudio beep for hits */
const audioCtx = new (window.AudioContext || window.webkitAudioContext)();
function playBeep(freq=440, dur=0.06, gain=0.25){
  try{
    const o = audioCtx.createOscillator();
    const g = audioCtx.createGain();
    o.type = 'sine';
    o.frequency.value = freq;
    g.gain.value = gain;
    o.connect(g); g.connect(audioCtx.destination);
    o.start();
    o.stop(audioCtx.currentTime + dur);
  }catch(e){}
}

/* Hit detection */
function rectsOverlap(a,b){
  return !(a.x + a.w < b.x || b.x + b.w < a.x || a.y + a.h < b.y || b.y + b.h < a.y);
}

function tryResolvePunch(attacker, defender){
  const pb = attacker.getPunchBox();
  if(!pb) return false;
  const dhb = defender.getHitbox();
  const punchRect = {x: pb.x - pb.w/2, y: pb.y, w: pb.w, h: pb.h};
  const hit = rectsOverlap(punchRect, dhb);
  if(!hit) return false;

  // if defender blocking and facing attacker -> reduce damage
  let damage = (attacker.state === 'jab') ? 6 : 18;
  let stun = (attacker.state === 'jab') ? 150 : 420;
  if(defender.state === 'block'){
    damage *= 0.3;
    stun *= 0.5;
    // slight stamina drain for blocker
    defender.stamina = clamp(defender.stamina - 6, 0, defender.maxStam);
  } else if(defender.state === 'dodge'){
    // dodge chance avoids
    const dodgeSuccess = Math.random() < 0.75;
    if(dodgeSuccess){
      playBeep(900,0.03,0.08);
      return false;
    }
  }

  defender.damage(damage);
  defender.state = 'stunned';
  defender.stateTimer = stun;
  playBeep(300 + Math.random()*600, 0.08, 0.25);
  attacker.lastHit = now();

  return true;
}

/* AI (very simple) */
const ai = {
  thinkTimer: 0,
  decide(dt){
    this.thinkTimer -= dt;
    if(this.thinkTimer > 0) return;
    this.thinkTimer = 400 + Math.random()*600;

    // simple behavior based on relative position and stamina
    const dist = Math.abs(enemy.x - player.x);
    const facing = (enemy.x < player.x) ? 1 : -1;
    enemy.facing = facing;

    // if low stamina - block or retreat
    if(enemy.stamina < 20){
      if(Math.random() < 0.6) { enemy.changeState('block', 600); enemy.vx = -facing * 0.2; return; }
      enemy.changeState('dodge', 200);
      enemy.vx = -facing * 1.2;
      return;
    }

    if(dist > 160){
      // close gap
      enemy.vx = 0.9 * facing;
      enemy.changeState('idle',0);
    } else {
      // attack or block
      const r = Math.random();
      if(r < 0.45){
        enemy.changeState('jab', 180);
        enemy.vx = 0;
      } else if(r < 0.65 && enemy.stamina>30){
        enemy.changeState('heavy', 420);
        enemy.vx = 0;
      } else if(r < 0.82){
        enemy.changeState('block', 300);
      } else {
        enemy.changeState('dodge', 240);
        enemy.vx = -facing * 1.4;
      }
    }
  }
};

/* Game loop & logic */
function update(dt){
  if(paused) return;

  // round timer
  timeLeft -= dt/1000;
  if(timeLeft <= 0){
    // round ends, decide winner by health
    endRound();
    return;
  }

  // Player controls
  if(player.state !== 'stunned'){
    // move left/right
    if(keys['a']){ player.vx = -2.2; player.facing = -1; }
    if(keys['d']){ player.vx = 2.2; player.facing = 1; }
    if(!keys['a'] && !keys['d']){ /* no input */ }

    // block
    if(keys[' '] && player.stamina > 5){
      player.changeState('block');
    } else {
      if(player.state === 'block' && player.stateTimer === 0) player.state = 'idle';
    }

    // jab
    if(keys['j'] && player.stamina > 7 && player.state !== 'jab' && player.state !== 'heavy'){
      player.changeState('jab', 180);
      player.vx = 0;
    }

    // heavy
    if(keys['k'] && player.stamina > 18 && player.state !== 'heavy'){
      player.changeState('heavy', 420);
      player.vx = 0;
    }

    // dodge
    if(keys['l'] && player.stamina > 10){
      player.changeState('dodge', 240);
      player.vx = 6 * (player.facing * -1); // quick shift away
    }
  }

  // slight stamina drain when blocking
  if(player.state === 'block'){ player.stamina = clamp(player.stamina - dt*0.015, 0, player.maxStam); }
  if(enemy.state === 'block'){ enemy.stamina = clamp(enemy.stamina - dt*0.015, 0, enemy.maxStam); }

  // AI decision
  ai.decide(dt);

  // Update fighters
  player.update(dt); enemy.update(dt);

  // resolve punches: check attacker state transitions -> if just in attack state, attempt hit
  if(player.state === 'jab' && player.stateTimer > 0 && now() - player.lastHit > 150){
    if(tryResolvePunch(player, enemy)){ player.lastHit = now(); }
  }
  if(player.state === 'heavy' && player.stateTimer > 0 && now() - player.lastHit > 300){
    if(tryResolvePunch(player, enemy)){ player.lastHit = now(); }
  }

  if(enemy.state === 'jab' && enemy.stateTimer > 0 && now() - enemy.lastHit > 150){
    if(tryResolvePunch(enemy, player)){ enemy.lastHit = now(); }
  }
  if(enemy.state === 'heavy' && enemy.stateTimer > 0 && now() - enemy.lastHit > 300){
    if(tryResolvePunch(enemy, player)){ enemy.lastHit = now(); }
  }

  // check KO
  if(player.health <= 0 || enemy.health <= 0){
    endRound();
    return;
  }
}

function endRound(){
  paused = true;
  roundActive = false;
  document.getElementById('state').textContent = 'ROUND END';
  if(player.health > enemy.health){
    player.score += 1;
    document.getElementById('score-player').textContent = player.score;
    showMessage('You win the round!');
  } else if(enemy.health > player.health){
    enemy.score += 1;
    document.getElementById('score-ai').textContent = enemy.score;
    showMessage('AI wins the round!');
  } else {
    showMessage('Draw!');
  }
  setTimeout(()=> {
    // next round setup or match end
    if(round >= 3 || player.score === 2 || enemy.score === 2){
      showMessage('Match over! Restart to play again.');
      document.getElementById('state').textContent = 'MATCH OVER';
    } else {
      round += 1;
      nextRound();
    }
  }, 1200);
}

function nextRound(){
  roundActive = true;
  timeLeft = roundTime;
  player.reset(W*0.28, 1);
  enemy.reset(W*0.72, -1);
  paused = false;
  document.getElementById('round').textContent = round;
  document.getElementById('state').textContent = 'FIGHT';
}

/* Restart full match */
function restartMatch(){
  player.score = 0; enemy.score = 0;
  document.getElementById('score-player').textContent = '0';
  document.getElementById('score-ai').textContent = '0';
  round = 1;
  document.getElementById('round').textContent = '1';
  player.reset(W*0.3, 1); enemy.reset(W*0.7, -1);
  timeLeft = roundTime; roundActive = true; paused = false;
  document.getElementById('state').textContent = 'FIGHT';
}

/* Visual helpers */
function drawArena(){
  // ring floor
  ctx.fillStyle = '#07121a';
  ctx.fillRect(0, H-80, W, 80);

  // crowd-ish gradients
  const g = ctx.createLinearGradient(0,0,0,H-80);
  g.addColorStop(0, '#061018');
  g.addColorStop(1, '#051216');
  ctx.fillStyle = g;
  ctx.fillRect(0,0,W,H-80);

  // center line
  ctx.fillStyle = 'rgba(255,255,255,0.02)';
  ctx.fillRect(physics.arenaPadding-6, H-120, 4, 120);
  ctx.fillRect(W-physics.arenaPadding+2, H-120, 4, 120);
}

/* Message helper */
let overlayMsg = '';
let overlayT = 0;
function showMessage(txt){
  overlayMsg = txt; overlayT = 1800;
}

/* Render loop */
function render(dt){
  // clear
  ctx.clearRect(0,0,W,H);

  drawArena();

  // fighters
  player.draw(ctx);
  enemy.draw(ctx);

  // HUD on canvas: draw center timer big
  ctx.save();
  ctx.font = "700 42px Inter, Arial";
  ctx.fillStyle = "rgba(255,255,255,0.06)";
  ctx.textAlign = "center";
  ctx.fillText(Math.ceil(timeLeft), W/2, 60);
  ctx.restore();

  // overlay message
  if(overlayT > 0){
    overlayT = Math.max(0, overlayT - dt);
    ctx.save();
    ctx.globalAlpha = overlayT/1800;
    ctx.fillStyle = "#fff";
    ctx.font = "700 28px Inter, Arial";
    ctx.textAlign = "center";
    ctx.fillText(overlayMsg, W/2, H/2 - 30);
    ctx.restore();
  }
}

/* DOM HUD update loop */
function updateHUD(){
  document.getElementById('player-health').style.width = (player.health/player.maxHealth*100)+'%';
  document.getElementById('player-stam').style.width = (player.stamina/player.maxStam*100)+'%';
  document.getElementById('enemy-health').style.width = (enemy.health/enemy.maxHealth*100)+'%';
  document.getElementById('enemy-stam').style.width = (enemy.stamina/enemy.maxStam*100)+'%';
  document.getElementById('timer').textContent = Math.max(0, Math.ceil(timeLeft));
  // state label
  document.getElementById('state').textContent = (paused ? 'PAUSED' : (roundActive ? 'FIGHT' : 'ROUND END'));
}

/* Main loop */
function loop(){
  const t = now();
  const dt = t - lastFrame;
  lastFrame = t;
  if(!paused) update(dt);
  render(dt);
  updateHUD();
  requestAnimationFrame(loop);
}

/* Start */
restartMatch();
loop();
</script>
</body>
</html>

How to run

  1. Create a file called index.html.

  2. Paste the whole code above into it and save.

  3. Open it in Chrome, Firefox, or Edge. (If sounds don’t play, click the page to allow audio or interact once — browsers block autoplay.)

Ideas for improvements (I can implement any of these if you want)

Want me to add any of those — or tune difficulty, controls, or visuals? Which feature next: 2-player, better AI, or sprites + animations?

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

79731579

Date: 2025-08-11 00:16:33
Score: 3
Natty:
Report link

i tried this in an inherited tableau text table having all dimensions and never got this to work as Tableau was incredibly consistent at populating ABC with the conditional formatting, no matter how i tried. Will not give up have a few tricks up my sleeve.

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

79731545

Date: 2025-08-10 22:39:12
Score: 5
Natty: 5
Report link

Why is internet caching so dumb ? Why can't the request go through to the server and check the file timestamp and compare with the cache ? This is always a huge probelm with index.html, and all these work around adding ?query string to .js and other resources just to force reloads, it's really quite sad and pthetic that no one addresses this properly, all this advice on how to get around a very basic problem that most caching is extremely stupid ! Just do a quick timestamp check, but the cache control needs to do this, which we have no way to control :( Who writes the chaching code ?

Reasons:
  • Blacklisted phrase (1): :(
  • Long answer (-0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): Why is in
  • Low reputation (1):
Posted by: Rick Head

79731544

Date: 2025-08-10 22:34:11
Score: 0.5
Natty:
Report link

The solution is to install the libclang-rt-22-dev package, which was somehow not installed even though it was recommended by the libclang-common-22-dev package. It provides the /usr/lib/llvm-22/lib/clang/22/lib/linux/libclang_rt.asan-x86_64.a file, which can be seen with apt-file show libclang-rt-22-dev.

Reasons:
  • Whitelisted phrase (-1): solution is
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: horsey_guy

79731517

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

While not the “public” InstantSearch.js API, you can set initialResults, then it won't trigger initial search.

search._initialResults = {
    indexName: {}
};
search.start();
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: hbghlyj

79731515

Date: 2025-08-10 21:44:59
Score: 3
Natty:
Report link

I have a video skal iasand igr foto (1280x720). I want to make igr foto as a background of video skal ias using ffmpeg

Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Low length (1):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Ias Abdulhadi

79731508

Date: 2025-08-10 21:25:55
Score: 4.5
Natty: 4
Report link

confusing and still needs clarification

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

79731503

Date: 2025-08-10 21:15:52
Score: 0.5
Natty:
Report link

In principle, if SVG files are not shared between users, meaning each user can only access their own uploaded files, I do not immediately see how a malicious SVG could cause harm.

If possible, it may be best to avoid uploading SVG files at all, can all operations be performed client side instead? If the SVG files is not uploaded, I see no reason to take any measures.

However, if uploading is required / desired, and we share the same understanding of doing it right, I still recommend taking steps to minimize the possibility of an SVG causing harm. I have listed a set of recommended security measures in this answer.

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

79731502

Date: 2025-08-10 21:14:51
Score: 1
Natty:
Report link

I found the problem, the problem was in my build.gradle.kts where both libs.engage.tv and libs.engage.core where in the dependancy block, I then just commented out the

implementation(libs.engage.tv)

which worked!

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

79731500

Date: 2025-08-10 21:07:50
Score: 2
Natty:
Report link
remove coalesce(:employees,1)='1' and just put s.employee in :employees. Do not pass a null list, you should havea empty list in that case
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Miguel Perdigon

79731489

Date: 2025-08-10 20:41:44
Score: 3.5
Natty:
Report link

asciiQAtk_^w8{wE?nn} u}Y[Gx8/t:5gn7Gy8WG{tQOG=Vgx_>[ o{@U`ouc|l[fUA?d+uj|:FA2)>J:Y-usus.Hk#<p~iA:K?~|S7WOo?tri?%u{K@'AsCH)`T;[ 1 JG\v=gJF~4/`ssi-pHE:%GZfHoomowJ@+p"b. S

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Michael Bertrand