79682404

Date: 2025-06-27 19:28:25
Score: 1.5
Natty:
Report link

You just call the RNG’s own random method.

import numpy as np
rng = np.random.default_rng(1949)
selection = rng.random((N_fixed_points, 2))
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Mohamed Haris

79682401

Date: 2025-06-27 19:25:25
Score: 0.5
Natty:
Report link

To change the default shell in Kali Linux from Zsh (the current default) back to Bash, you can use the chsh command. Open a terminal and run chsh -s /bin/bash. You will be prompted for your password. After entering it, log out and log back in for the changes to take effe

Reasons:
  • Whitelisted phrase (-1.5): you can use
  • Low length (0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Piero

79682389

Date: 2025-06-27 19:08:21
Score: 0.5
Natty:
Report link
class MyWidget extends StatefulWidget {
  @override
  _MyWidgetState createState() => _MyWidgetState();
}

class _MyWidgetState extends State<MyWidget> {
  final FocusNode myFocusNode = FocusNode();
  final TextEditingController controller = TextEditingController();

  @override
  void dispose() {
    myFocusNode.dispose();
    controller.dispose();
    super.dispose();
  }

  void _unfocusTextField() {
    myFocusNode.unfocus();
  }

  @override
  Widget build(BuildContext context) {
    return Column(
      children: [
        TextField(
          controller: controller,
          focusNode: myFocusNode,
        ),
        ElevatedButton(
          onPressed: _unfocusTextField,
          child: Text("Unfocus"),
        ),
      ],
    );
  }
}

Also wanted to mention that if you'd like to become a software tester i recommend this bootcamp astorialab.com
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: vettori

79682388

Date: 2025-06-27 19:08:21
Score: 3.5
Natty:
Report link

For atlas you can do it from their dashboard:

enter image description here

Docs

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

79682377

Date: 2025-06-27 18:54:17
Score: 2
Natty:
Report link

The issue still persists with EF Core as version 7.x.x. I decided to generate a separate context class for each schema under a different namespace. This way, I have all tables mapped to their entity classes. Since I had to generate the context classes with separate commands, the navigation properties and relations are not set automatically, but that's okay. I can still join tables by specifying the column to join on in the query.

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

79682352

Date: 2025-06-27 18:23:09
Score: 1
Natty:
Report link

If you arrive at this stackoverflow question and your server appears to be returning the correct headers, you may have a silly issue: Chrome Dev Tools 'Disable cache' is likely interfering with your test.

You are likely unintentionally bypassing the very caching that you are trying to test by opening the Chrome network tab.

Given that pretty much the only way you test OPTIONS request behavior is in the Dev Tools console of your browser (how else would you know that you were making the options requests?) there's an important "gotcha" here:

If you have the 'Disable cache' checkbox checked at the very top of the network tab then the OPTIONS cache will be completely ignored.

This makes sense, but is unintuitive since as a dev you normally always have 'Disable cache' checked when in the network tab since you don't want stuff you're debugging cached pretty much ever. But indeed, that checkbox will also bypass the OPTIONS cache, not just assets caches you usually think about, so even if your server is set up correctly the browser will just request options on every single request until you uncheck that box.

Hope this helps someone!

Tangential rant, this is poor design by the chrome devtools team, OPTIONS should get special treatment and its own checkbox or something, as well as the ability to hide them specifically from cluttering up your request list when you're trying to debug actual requests. Very frustrating. Having no way to filter "requests I make" from "requests the browser makes as protocol overhead" in a debug tool is silly. Yes, you can INVERT a method:OPTIONS filter to filter them out, but then you can't use the filter for anything else, which creates a worse clutter problem to deal with when zeroing in on a problem... :)

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Whitelisted phrase (-1): Hope this helps
  • Long answer (-1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Travis Drake

79682335

Date: 2025-06-27 18:07:05
Score: 0.5
Natty:
Report link
When using MiniBatchKMeans with BERTopic, it’s common for some data to not be assigned a topic due to
High Dimensionality of Embeddings: Embeddings may be too sparse or not well-clustered.
Noise in Data: Some data points might not clearly belong to any cluster.

How to solve this Issue:
Tune n_clusters in MiniBatchKMeans:
•   Start by testing different values for n_clusters. If it’s too low, some topics may merge, and if it’s too high, many data points may be left unclustered.

from sklearn.cluster import MiniBatchKMeans
cluster_model = MiniBatchKMeans(n_clusters=50, random_state=42)
topic_model = BERTopic(embedding_model="all-MiniLM-L6-v2", hdbscan_model=cluster_model)

Use a Different Clustering Algorithm:
BERTopic allows for other clustering models. For instance, using HDBSCAN (Hierarchical Density-Based Spatial Clustering of Applications with Noise) is often more flexible.
Example
from hdbscan import HDBSCAN
cluster_model = HDBSCAN(min_cluster_size=10, metric='euclidean', cluster_selection_method='eom')
topic_model = BERTopic(embedding_model="all-MiniLM-L6-v2", hdbscan_model=cluster_model)

Reduce Dimensionality Before Clustering:
Use dimensionality reduction (e.g., UMAP) to make the data more clusterable:
from umap import UMAP
umap_model = UMAP(n_neighbors=15, n_components=5, metric='cosine')
topic_model = BERTopic(embedding_model="all-MiniLM-L6-v2", umap_model=umap_model)

Analyze Unassigned Data:
Check what makes the unassigned data different. These may be outliers or too generic to form a unique topic.
Example:

unassigned_data = [doc for doc, topic in zip(documents, topics) if topic == -1]

Increase Training Data Size:
If your dataset is too small, clustering might struggle to find consistent patterns.
Adjust BERTopic Parameters: min_topic_size: Set a smaller value to allow smaller topics to form.
    •   n_gram_range: Experiment with different n-gram ranges in BERTopic.

topic_model = BERTopic(n_gram_range=(1, 3), min_topic_size=5)


Refine Preprocessing:
Ensure text data is clean, normalized, and free of irrelevant tokens or stopwords.
Debugging:
•After making changes, check how many data points are still unclustered:


unclustered_count = sum(1 for t in topics if t == -1)
print(f"Unclustered points: {unclustered_count}")
Reasons:
  • Blacklisted phrase (1): How to solve
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Ibidapo

79682326

Date: 2025-06-27 17:59:03
Score: 3
Natty:
Report link

You don't need to worry about it just add a transparent color border or the border color same as the background it will fix your problem.

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

79682316

Date: 2025-06-27 17:51:01
Score: 1
Natty:
Report link

It seems the Google Maps SDK is designed to be used from the client (on the device), but security comes from restrictions you apply from the Google Cloud Console:

You can say: "Only allow this key to be used if the call comes from an app with package name X and SHA-1 Y."

This way, even if someone sees your key, they won't be able to use it in their own app.

Reasons:
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Josu Alejandro Hernndez Castel

79682299

Date: 2025-06-27 17:35:58
Score: 1
Natty:
Report link

I had the same issue as you and referred to this article: Setting up Swagger (ASP.NET Core) using the Authorization headers (Bearer)

SwaggerGen enables a button called Authorize to exist in swagger docs. Once you set the token you can read it in code by putting this line in a controller action result.

var authToken = this.HttpContext.Request.Headers["Authorization"].ToString();

Reasons:
  • Blacklisted phrase (1): this article
  • Whitelisted phrase (-1): I had the same
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: user30909924

79682293

Date: 2025-06-27 17:28:56
Score: 1
Natty:
Report link

What matters most is not 3NF itself, but the reasons behind normalization. Its main purpose is to prevent update anomalies, which normalization accomplishes by storing data in a single location. Conversely, with intentional denormalization, this is managed by updating code across multiple places within a single transaction. Both approaches are acceptable.

Normalization is critical for relational databases and SQL, which were invented to allow non-programmer end-users to access data easily. Therefore, the database must ensure consistency even when a user performs a single update. However, when databases are used by programmed code that has been reviewed and tested, you can duplicate data for performance. This is where MongoDB's document model shifts more responsibility to the developer, leading to improved performance.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Starts with a question (0.5): What
  • Low reputation (0.5):
Posted by: FranckPachot

79682286

Date: 2025-06-27 17:26:55
Score: 0.5
Natty:
Report link

Working after removed the older version and upgraded to new version.

sudo apt-get remove docker-compose

sudo curl -L "https://github.com/docker/compose/releases/latest/download/docker-compose-$(uname -s)-$(uname -m)" -o /usr/bin/docker-compose

sudo chmod +x /usr/bin/docker-compose

docker-compose --version
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Vinoth Chitrarasu

79682282

Date: 2025-06-27 17:19:53
Score: 1
Natty:
Report link

In case someone else experiences this issues:

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

79682280

Date: 2025-06-27 17:13:52
Score: 1.5
Natty:
Report link
 var button = new Button{Content = "Google"};

 form.Controls.Add(button);

 button.Clicked+=(s,e)=>{ 
 webView.Source = new Uri("https://www.google.com.hk/");
  };
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: D'Artagnan222

79682279

Date: 2025-06-27 17:13:52
Score: 3
Natty:
Report link

I ran into the same error Template format error: Invalid outputs property : [Type, Properties] , because I added a couple new resources, but they were below the Outputs block (I just threw the new resources in at the end of the template) but they need to be in the resource block.

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

79682273

Date: 2025-06-27 17:04:48
Score: 3
Natty:
Report link

any one hasidea how i could fix this erro Error: ENOENT: no such file or directory, lstat '/vercel/path0/.next/server/app/(app)/page_client-reference-manifest.js'

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

79682272

Date: 2025-06-27 17:04:48
Score: 1
Natty:
Report link

I was dealing with this problem earlier today with SQL Server 2017. The ODBC driver didn't seem to matter as I would have spotty connection issues (some would timeout others would work just fine). Setting it to use the IP Address instead of the hostname in the ODBC connection string worked.

Reasons:
  • Whitelisted phrase (-1): I was dealing with
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: TheMet4lGod

79682269

Date: 2025-06-27 17:03:48
Score: 2.5
Natty:
Report link

The issue is you are importing "match" while also having a variable named "match". Name it something else and you should be fine.

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

79682268

Date: 2025-06-27 17:03:48
Score: 0.5
Natty:
Report link

Could you double-check the existing configuration in the .env file to ensure it reflects the latest updates? Auth0 has changed some property names in the most recent version.

In my case:

You can refer to the latest documentation here for more details.

The complete list of updated environment variable names is as follows:

AUTH0_SECRET='use [openssl rand -hex 32] to generate a 32 bytes value'
APP_BASE_URL='http://localhost:3000'
AUTH0_DOMAIN='https://xxx.auth0.com'
AUTH0_CLIENT_ID='{yourClientId}'
AUTH0_CLIENT_SECRET='{yourClientSecret}'
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: TinTin Winata

79682267

Date: 2025-06-27 17:03:48
Score: 2.5
Natty:
Report link

I don't think there is currently any way to do this without a copy unless you use a sketchy technique like the one you talked about. It's probably best to ask this on Github as a new feature/performance idea.

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

79682265

Date: 2025-06-27 17:02:47
Score: 6.5
Natty: 5
Report link

i am facing the same problem. i asked on gpt, and on every AI chat. i cant find any satisfied answer.

Reasons:
  • Blacklisted phrase (1): m facing the same problem
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): i am facing the same problem
  • Single line (0.5):
  • Low reputation (1):
Posted by: Naksh Lamba

79682262

Date: 2025-06-27 17:01:47
Score: 0.5
Natty:
Report link

You can raise PydanticCustomError from pydantic_core, instead of ValueError.

Your Pydantic Model will be something like this:

from datetime import date
from typing import Optional

from pydantic import (
    BaseModel,
    field_validator,
    HttpUrl,
    EmailStr
)
from pydantic import ValidationError
from pydantic_core import PydanticCustomError


class Company(BaseModel):
    company_id: Optional[int] = None
    company_name: Optional[str]
    address: Optional[str]
    state: Optional[str]
    country: Optional[str]
    postal_code: Optional[str]
    phone_number: Optional[str]
    email: Optional[EmailStr] = None
    website_url: Optional[HttpUrl] = None
    cin: Optional[str]
    gst_in: Optional[str] = None
    incorporation_date: Optional[date]
    reporting_currency: Optional[str]
    fy_start_date: Optional[date]
    logo: Optional[str] = None

    @field_validator('company_name')
    def validate_company_name(cls, v):
        if v is None or not v.strip():
            raise PydanticCustomError(
                'value_error', # This will be the "type" field
                'Company name must be provided.', # This will be the "msg" field
            )
        return v

If you want a more sophisticated solution, you can view more about this discussion on Pydantic Repository. But basically you can create a WrapperClass to use with Annoted type from typing module.

I am gonne give my example because have also the ValidationInfo parameter in the validation field method

import inspect
from pydantic import (
    ValidationInfo,
    ValidatorFunctionWrapHandler,
    WrapValidator,
)
from pydantic_core import PydanticCustomError


class APIFriendlyErrorMessages:
    """
    A WrapValidator that catches ValueError and AssertionError exceptions and
    raises a PydanticCustomError with the message from the original exception,
    while removing the error type prefix, which is not user-friendly.
    """

    def __new__(cls, validator: Callable[[Any], None]) -> WrapValidator:
        """
        Wrap a validator function with a WrapValidator that catches ValueError and
        AssertionError exceptions and raises a PydanticCustomError with the message
        from the original exception, while removing the error type prefix, which is
        not user-friendly.

        :param validator: The validator function to wrap.
        :returns: A WrapValidator instance that prettifies error messages.
        """
        # I added this, in the discussion he used just with "v" value
        signature = inspect.signature(validator)
        
        # Verify if the validate function has validation info parameter
        has_validation_info = any(
            param.annotation == ValidationInfo
            for _, param in signature.parameters.items()
        )

        def _validator(
            v: Any, handler: ValidatorFunctionWrapHandler, info: ValidationInfo
        ):
            try:
                # If not have validation info, call just with v
                if not has_validation_info:
                    validator(v)
                else:
               # Or Else call with v and info
                    validator(v, info)
            except ValueError as exc:
                # This is the same Pydantic Custom Error we used before
                raise PydanticCustomError(
                    'value_error',
                    str(exc),
                )

            return handler(v)

        return WrapValidator(_validator)

And in my model:

from datetime import datetime
from decimal import Decimal
from typing import Annotated, Optional

from pydantic import BaseModel, Field, ValidationInfo, field_validator
from app.api.transactions.enums import PaymentMethod, TransactionType
from app.utils.schemas import APIFriendlyErrorMessages # Importing my Custom Wrapper


# Validate Function
def validate_total_installments(value: int, info: ValidationInfo) -> int:
    if value > 1 and info.data['method'] != PaymentMethod.CREDIT_CARD:
        # Raising ValueError
        raise ValueError('Pagamentos a vista não podem ser parcelados.')

    return value


# Annoted Type using the Wrapper and the validate Function
TotalInstallments = Annotated[int, APIFriendlyErrorMessages(validate_total_installments)]


class TransactionIn(BaseModel):
    total: Decimal = Field(ge=Decimal('0.01'))
    description: Optional[str] = None
    type: TransactionType
    method: PaymentMethod
    total_installments: TotalInstallments = Field(ge=1, default=1) # Using your annoted type here
    executed_at: datetime
    bank_account_id: int
    category_id: Optional[int] = None

I expect that help you.

Reasons:
  • Blacklisted phrase (1): não
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Davi Gomes Lucciola

79682256

Date: 2025-06-27 16:57:45
Score: 4
Natty: 4
Report link

I cleared derived data -> reset package cache -> activity monitor -> Xcode -> force quit

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

79682236

Date: 2025-06-27 16:38:41
Score: 1.5
Natty:
Report link

I had also faced same issue, you need to register graybox OPC automation dll file after which you will be ablle to communicate with any OPC DA server

Download DLL from here.

Graybox automation DLL

Open command line as Administrator and then change path to Folder that contains DLL and then write

regsvr32 "name of dll"

For OPC DA try to use lower versions of python like below 3.10 also you can explore OpenOPC-DA

Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Talha Abbas Jalvi

79682229

Date: 2025-06-27 16:29:38
Score: 2.5
Natty:
Report link

In my raspberry wpa_supplicant.conf is located inside a subdirectory wpa_supplicant.

So

/etc/wpa_supplicant/wpa_supplicant.conf

just a note

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

79682226

Date: 2025-06-27 16:23:37
Score: 2.5
Natty:
Report link

It seems your browser is making some cache of your request. The browser sometimes cache requests with the same url. Or, must be the OPTIONS request is being ignored by your microcontroller

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

79682222

Date: 2025-06-27 16:20:36
Score: 2
Natty:
Report link

I found a rather simple formula to recognize empty ranges. It goes like this:

=IF(ARRAYFORMULA(AND(H5:H36="")),"empty","not empty")

Where H5:H36 is a sample range (a column in this case), and "empty", "not empty" can be replaced with other statements.

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

79682219

Date: 2025-06-27 16:18:35
Score: 0.5
Natty:
Report link

Ok the question revealed the answer (clarifying that NAME is not dimensional). The solution that seems most clear is something like the following. Note I'm also joining another table D that only joins on A.ID to demonstrate it must come after the joins on B,C.

Please scrutinize.

with NAME as (
  select distinct A_ID, NAME from B
  union
  select distinct A_ID, NAME from A
)
select distinct a.ID as 'A_ID', b.NAME as 'B_NAME', c.NAME as 'C_NAME', B.etc., C.etc., D.etc.
from A a
  inner join NAME n on n.A_ID = a.ID
  full join B on a.ID = b.A_ID and n.NAME = b.NAME
  full join C on c.ID = c.A_ID and n.NAME = c.NAME and (b.NAME = c.NAME or b.NAME is null)
where (b.NAME is not null or c.NAME is not null)
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: KSa2

79682212

Date: 2025-06-27 16:08:33
Score: 0.5
Natty:
Report link
#[cfg(test)]
use test_env_helpers::*;
#[after_all]
#[cfg(test)]

 fn after_all() {
        cleanup_tests();
    }

I found this crate https://docs.rs/test-env-helpers/latest/test_env_helpers/ to be very helpful with cleaning up test code after running docker testcontainers using oncecell

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: super IT guy

79682205

Date: 2025-06-27 16:04:31
Score: 6.5
Natty:
Report link

I am getting the same error intermittently in production. It does not reproduce on my local

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

79682199

Date: 2025-06-27 15:58:28
Score: 0.5
Natty:
Report link

Ran into this error when running pip3 install <mymodule> .. I checked that I had no version conflict.

What fixed it, was upgrading pip (to version 23.0.1) :

pip3 install --upgrade pip
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: May

79682189

Date: 2025-06-27 15:50:26
Score: 0.5
Natty:
Report link

Should read the image from node js file path and insert it as a blob. Then it works.

fs.readFile(path+image.filename, function(err, data) {
    if (err) throw err 

    var sql = 'Insert into table (id,image) VALUES ?';
    var values=[["1",data]]; 

    connection.query(sql,[values], function (err, data) {
        if (err) {
            // some error occured
            console.log("database error-----------"+err);
        } else {
            // successfully inserted into db
            console.log("database insert sucessfull-----------");
            
        }
    });


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

79682187

Date: 2025-06-27 15:48:26
Score: 1
Natty:
Report link

This is only available when using Shiny. A Quarto document with OJS and R only the OJS is dynamic. Anything in R is static. I think of it as a set-up and interact partnership. R set's up the data that can be visualised and interacted with using OJS elements.

Coming from R I found Arquero to be a big help. It's similar enough to dplyr that you can run small calculations on your dynamic inputs in order to create dynamic outputs.

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

79682180

Date: 2025-06-27 15:41:24
Score: 2.5
Natty:
Report link

It is clear that Windows limits the VRAM limit for a single program:

Matlab is able to utilize only a part of actual available VRAM

But the specific proportions don't quite match, perhaps Microsoft has made adjustments.

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

79682179

Date: 2025-06-27 15:40:24
Score: 1.5
Natty:
Report link

If your tensor is not boolean or integer type, make it this way:

t_opp=1-t
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Daria T

79682178

Date: 2025-06-27 15:39:23
Score: 1
Natty:
Report link

from moviepy.editor import *

from pydub.generators import Sine

from pydub import AudioSegment

# Regenerar audio base

voice = Sine(180).to_audio_segment(duration=8000).apply_gain(-15)

beat = Sine(100).to_audio_segment(duration=8000).apply_gain(-20)

mix = beat.overlay(voice)

# Exportar audio MP3

audio_path = "/mnt/data/saludo_piero_26is_lofi.mp3"

mix.export(audio_path, format="mp3")

# Generar video con imagen

image_path = "/mnt/data/A_digital_image_combining_text_and_a_gradient_back.png"

audio = AudioFileClip(audio_path)

clip = ImageClip(image_path).set_duration(audio.duration).set_audio(audio)

# Exportar como video MP4 final

video_path = "/mnt/data/saludo_piero_26is_final.mp4"

clip.write_videofile(video_path, fps=24)

video_path

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

79682177

Date: 2025-06-27 15:37:22
Score: 4
Natty:
Report link

Switching from GPT-4.1 to Claude Sonnet 4 fixed this for me

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

79682170

Date: 2025-06-27 15:33:20
Score: 4
Natty:
Report link

Find Edit.Duplicate and assign the shortcut.

enter image description here

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

79682167

Date: 2025-06-27 15:32:19
Score: 2
Natty:
Report link

I did another example following the other answer using the element plus playground, which is using a more recent version too: element-plus.run/

Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Murillo P. de Oliveira

79682149

Date: 2025-06-27 15:08:13
Score: 1
Natty:
Report link

The issue you're facing is likely due to a mismatch in file handling and routing in your Laravel backend for the Tus protocol.

Make sure your route accepts HEAD:

Route::match(['HEAD'], '/upload/{fileId}', [FileUploadController::class, 'getFileResource']);
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Robroy Bustillo Canales

79682142

Date: 2025-06-27 15:03:11
Score: 1
Natty:
Report link

You forgot to close the parentheses.

Fixed and cleaned up code:

<ul>
  {c.details.map(detail => { 
      // condition
    })
  }
</ul>
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: biggujo

79682141

Date: 2025-06-27 15:02:06
Score: 6.5 🚩
Natty:
Report link

thank you @merlosy!

This Video really helped me, when I had a similar situation.
https://youtu.be/Jv7jOrGTKd0?si=kqvGSDOzs0oA-4Vx&t=434,

The strange thing is, that the official Angular Documentation suggests a method that doesn't work for me: https://angular.dev/guide/testing/components-scenarios#nested-component-tests

Only by adding

TestBed.overrideComponent(PrimaryComponent, {
            remove: { imports: [Child1Component, Child2Component, Child3Component] },
            add: { imports: [Mock1Component, Mock2Component, Mock3Component] },
        });
   

before

await TestBed.configureTestingModule(....)

was I able to mock the nested / child components correctly

Reasons:
  • Blacklisted phrase (0.5): thank you
  • Blacklisted phrase (1): youtu.be
  • Blacklisted phrase (1): This Video
  • RegEx Blacklisted phrase (2): doesn't work for me
  • Probably link only (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @merlosy
  • Low reputation (1):
Posted by: prezzler

79682140

Date: 2025-06-27 15:02:05
Score: 2.5
Natty:
Report link

Note that MFC has its own way to handle exceptions :

https://learn.microsoft.com/en-us/cpp/mfc/reference/exception-processing?view=msvc-170#try

May be you just experienced a conflict bewteen standard library and MFC.

Exception are tricky in Win32 so you will probably have to make some try before solving the problem.

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

79682139

Date: 2025-06-27 14:58:04
Score: 4
Natty: 6
Report link

In the header, you specify the branch when you execute the action, not at logon.

Here are some more details.

https://help.acumatica.com/(W(8))/Help?ScreenId=ShowWiki&pageid=9821cff9-4970-4153-a0f8-dbf5758133a7

Thanks

Matt

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Matt Brown

79682131

Date: 2025-06-27 14:53:02
Score: 4
Natty:
Report link

If its just a digital report i foun useful set in this way so i see the data only of the section i put the mouse on: enter image description here enter image description here

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Jesv94

79682113

Date: 2025-06-27 14:36:58
Score: 2
Natty:
Report link

If you want to build a drawing panel to design a house, consider using libraries like Java Swing with JHotDraw or JavaFX, which allow you to create interactive canvases where users can drag and drop shapes, icons, and symbols. For C#, WPF (Windows Presentation Foundation) combined with InkCanvas offers similar capabilities, supporting real-time drawing and object manipulation.

You can customize icons for doors, windows, walls and radiators. These tools are ideal for developing interior and exterior design applications, like those used by Fijan Design, enabling clients to visualize & plan their spaces easily with intuitive controls and rich graphics.

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

79682102

Date: 2025-06-27 14:30:57
Score: 1.5
Natty:
Report link

You'll need two DC I think, one for each control.

BTW avoid to store DC, they are limited, scarce resource. Get them, do your stuff then relase them. The overhead is minimal and will avoid you nasty Win32 issues.

If you are familliar with MFC use a MDI application instead of Dailog based. You then write a single MDIView and instanciate it twice. You'll then use different two timer (one in each view) and implement drawing in the OnPaint() MFC handler.

Alternatively you can also derive your own Picture control and do the do the OpenGL stuff there.

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

79682100

Date: 2025-06-27 14:29:56
Score: 1.5
Natty:
Report link

In addition to installing libwebkit2gtk-4.0-37 and libjavascriptcoregtk-4.0-18, I also had to add the environment variable export WEBKIT_DISABLE_COMPOSITING_MODE=1.

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

79682097

Date: 2025-06-27 14:25:56
Score: 3
Natty:
Report link

Happened to me when I got duplicated metadata keys. How? They were written with different cases.

Lessons learned, always normalize keys, e.g.: by some toLower(string) function.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Rafał Długołęcki

79682090

Date: 2025-06-27 14:21:54
Score: 2
Natty:
Report link

Maybe someone does not know it, so I will just leave it here:

If you need to have a sliver or scroll away widget + sticky TabBar in a NestedScrollView, but you want to have independent tab scrolls in the same time, there is a solution in the flutter docs, please check it out:
https://api.flutter.dev/flutter/widgets/NestedScrollView-class.html#widgets.NestedScrollView.1

Reasons:
  • Blacklisted phrase (0.5): check it out
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Valentyna P

79682088

Date: 2025-06-27 14:21:54
Score: 2.5
Natty:
Report link

У вас получилось поменять цвет? У меня ошибка: "no material with name industrial_container_1".

Делаю вызов: agent.industrial_container_1.setColor("industrial_container_1", red);

AnyLogic 8 Professional 8.9.1

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: user30907558

79682087

Date: 2025-06-27 14:21:54
Score: 2
Natty:
Report link

Possible via redirection, updating the path value for home page.

See https://stackoverflow.com/a/79682083/1601332 for details

redirect from home to pages

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Probably link only (1):
  • Low length (1.5):
  • Has code block (-0.5):
  • High reputation (-1):
Posted by: gmo

79682082

Date: 2025-06-27 14:12:52
Score: 0.5
Natty:
Report link

You could add a role of image to your span to make the aria-label more valid so screen readers know it's a graphic.

<p>Coded with <span role="img" aria-label="love">♥</span> by Haley Halcyon</p>
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: RichardDev

79682070

Date: 2025-06-27 14:04:50
Score: 2.5
Natty:
Report link

For best customization in this, We can take the source from Health software development companies in India are specialized in building iOS healthcare apps that leverage background execution for real-time health tracking, data management, and patient engagement

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

79682063

Date: 2025-06-27 13:59:49
Score: 1.5
Natty:
Report link

You could do a reverse proxy with something like nginx, but you need a server with an IP that is not blocked by those countries. Basically, users connect to the reverse proxy server with a request for the site hosted on your blocked IP server and the reverse proxy plays middle man for the conversation between the blocked IP host and your clients.

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

79682060

Date: 2025-06-27 13:57:48
Score: 3.5
Natty:
Report link

Yes i had issues too yesterday, i found this https://github.com/spring-projects/spring-boot/issues/45881 hope it helps.

Reasons:
  • Whitelisted phrase (-1): hope it helps
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: sohail dua

79682058

Date: 2025-06-27 13:56:48
Score: 1.5
Natty:
Report link

In my case - I just updated VS to 17.14.7 and it worked.

Chat GPT suggested few things - resetting global setting was too much for me to do... Glad that this update worked...

Reasons:
  • Whitelisted phrase (-1): it worked
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Roman Rückschloss

79682053

Date: 2025-06-27 13:50:46
Score: 3.5
Natty:
Report link

Thanks @j-fabian-meier for pointing me in the right direction. I'm a completely newbie with Maven and was following the AWS Lambda tutorial which mentions using the shade plugin. With both, there was no {name}-jar-with-dependencies.jar file being generated in the first place

Turns out only the assembly plugin was needed.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • No code block (0.5):
  • User mentioned (1): @j-fabian-meier
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: bunny

79682049

Date: 2025-06-27 13:47:45
Score: 1
Natty:
Report link

# Възстановяване на обработеното видео с glitch ефекти (без надпис)

clip = VideoFileClip(input_video_path).subclip(0, min(15, VideoFileClip(input_video_path).duration))

# Преоразмеряване до 9:16 (1080x1920)

clip_resized = clip.resize(height=1920).crop(x_center=clip.w/2, width=1080)

# Добавяне на glitch ефекти

glitch_clip = clip_resized.fx(vfx.lum_contrast, lum=20, contrast=50, contrast_thr=128)

glitch_clip = glitch_clip.fx(vfx.colorx, 1.3).fx(vfx.lum_contrast, contrast=40)

# Финален клип

final_clip = CompositeVideoClip([glitch_clip])

# Експорт

output_path = "/mnt/data/BMW_M4_Edit_Reloaded.mp4"

final_clip.write_videofile(output_path, codec="libx264", audio_codec="aac", fps=30)

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

79682039

Date: 2025-06-27 13:43:44
Score: 0.5
Natty:
Report link

I call it SqlTuple, because it helped me get around using IN operator for raw SQL-queries

class SqlTuple(tuple):
    def __repr__(self) -> str:
        return f'({", ".join(map(repr, self))})'

a = SqlTuple((1,))
print(a) # (1)
b = SqlTuple([1, 2])
print(b) # (1, 2)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: theemee

79682035

Date: 2025-06-27 13:41:44
Score: 4.5
Natty:
Report link

enter image description here #Stef You're second solution is good but sometimes it does this : The ticks 48, 36, 24 don't mean anything. The ticks 12:00, 14:24 are good. How can I plot the ticks like you ? How can the ticks in between 12:00, and 14:24 mean something, and the rest of the ticks too pls ?

Reasons:
  • Blacklisted phrase (0.5): How can I
  • Whitelisted phrase (-1): solution is
  • 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: Camille

79682021

Date: 2025-06-27 13:29:41
Score: 3.5
Natty:
Report link

Honestly, I don't know what was wrong. I deleted everything (NodeJS, JDK, Android SDK) and installed again. Now it works.

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

79682018

Date: 2025-06-27 13:28:40
Score: 1
Natty:
Report link

I had the same problem (playwright browser would launch fine in VS Code virtual env, but not in the compiled executable). I that noticed the browser error would mention the path to my Temp folder, used by playwright for the duration of the browser session. I deleted all files there. On the next compilation, the executable worked as expected. So my conclusion is that something wrong was cached (either by Playwright or Pyinstaller) and cleaning the Temp folder solved the problem for me. Putting this here, just in case it helps someone in the future.

Reasons:
  • Whitelisted phrase (-1): I had the same
  • Long answer (-0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Florent L

79682011

Date: 2025-06-27 13:23:39
Score: 2
Natty:
Report link

I think the resumeToken is per $watch, i.e. you cannot resume a different change stream using the other change streams resumeToken. I get invalid token when altering the pipeline for a db.$watch, even tho the change/resumeToken is 100% in the oplog

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

79682006

Date: 2025-06-27 13:17:38
Score: 3
Natty:
Report link

omg, days for solve the problems of error 400 and the problem was the name of the database, come on!!!

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

79682004

Date: 2025-06-27 13:17:38
Score: 2.5
Natty:
Report link

Turns out that brew services info postgresql was actually running postgresql14.

I did sudo brew services info postgresql@15 and that fixed everything.

Thanks for all of your help.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Questioner

79682002

Date: 2025-06-27 13:15:37
Score: 1.5
Natty:
Report link

On python 3.6+ install these packages with their correct versions

tokenizers==0.10.3
torch==1.7.0+cpu
transformers==4.15.0

and it will hopefully work without a problem

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

79682001

Date: 2025-06-27 13:15:37
Score: 1.5
Natty:
Report link

Swift code

100% efficient O(nlogn) time complexity

enter image description here

func solution(_ A: [Int]) -> Int {
    let sortedA = A.sorted()
    var min = 1

    for i in sortedA {
        if i == min {
            min += 1
        }
    }

    return min
}
Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Sujit Nachan

79681993

Date: 2025-06-27 13:10:36
Score: 2.5
Natty:
Report link

With the extensive help of Benzy Neez I managed to find my very own solution. If thee is a pitfall, please let me know ...

struct WingList: View {
   
   let wings: [Wing]
   @State private var scrollPos = CGFloat.zero
   
   var body: some View {
      
         
      GeometryReader { proxy in
         let fullHeight = proxy.size.width / 1280 * 800
            
         ScrollView {
            LazyVStack(spacing: 3, content: {
               ForEach(Array(wings.enumerated()), id: \.element.id) { index, wing in
                     
                  WingListItem(wing: wing, height: calcFrameHeight(index: index, fullHeight: fullHeight))
               }
               Spacer(minLength: 550) // This is just a brute method, I know
            })
         }
         .onScrollGeometryChange(
            for: CGFloat.self,
            of: { scrollGeometry in
               scrollGeometry.contentOffset.y
            },
            action: { oldValue, newValue in
               scrollPos = newValue
            }
         )
      }
   }
   
   func calcFrameHeight(index: Int, fullHeight: CGFloat) -> CGFloat {
      
      let offset = CGFloat(index) * (fullHeight + 3) - scrollPos - 100 // 100 added because the safeAreaInset in the parent view
      
      if offset < 0 {
         return fullHeight
      } else if offset < fullHeight {
         return  (fullHeight - 100) * (1 - offset / fullHeight) + 100
      } else {
         return 100
      }
   }
   
}

struct WingListItem: View {
   
   let wing: Wing
   let height: CGFloat
   
   var body: some View {
      
      Image(uiImage: wingImage())
         .resizable()
         .aspectRatio(contentMode: .fill)
         .frame(height: height, alignment: .top)
   }
}
Reasons:
  • RegEx Blacklisted phrase (2.5): please let me know
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Robert Kubin

79681992

Date: 2025-06-27 13:08:35
Score: 2
Natty:
Report link

The type or namespace name 'IWebHostEnvironment' could not be found (are you missing a using directive or an assembly reference?)

In .net 9, I was using IWebEnvironment to store the image file location in wwroot/images/banners. It should be readable in Asp.net core, but it is not readable. I don't understand why.

Reasons:
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Mirjahon Istamov

79681979

Date: 2025-06-27 12:56:32
Score: 0.5
Natty:
Report link

The display: table style is an extremely useful tool for expressing simple tabular layout (as opposed to presenting actual tables, understood as a way for organizing information). It's underused and has some bad reputation only because the table element used to be extremely abused for doing layout in the old days of the Web.

This is a table:

Front-end web developer course table

This is not a table:

Quiz question with four colorful answer tiles organized in a 2x2 table

These are just four tiles with answers to a quiz question that are organized in a 2 x 2 tabular layout for fun, and similarly their coloring doesn't have any meaning, maybe beyond highlighting the fact that these are four different answers.

You can model this tabular layout both with display: table and display: grid. I'd argue that it's simpler with display: table. The display: grid feels like a total overkill for this.

Reasons:
  • RegEx Blacklisted phrase (1.5): reputation
  • Probably link only (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • High reputation (-1):
Posted by: cubuspl42

79681964

Date: 2025-06-27 12:44:28
Score: 1
Natty:
Report link

This kind of slowdown is common in larger WooCommerce stores even though when HPOS is turned on without properly indexing the new custom tables. And if your site still feels slow even after indexing? Even with indexing, performance won’t improve much if your store has years’ worth of order and meta data. We’ve helped stores in that situation using a tool called Flexi Archiver.  It automatically moves old orders to secure cloud storage, so your site stays fast, and your customers can still access all the archived orders too. As a store owner, you still have all your order info whenever you need it. You can check out the tool here: https://flexiarchiver.com/

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

79681960

Date: 2025-06-27 12:42:27
Score: 6 🚩
Natty: 5.5
Report link

here is how: enter image description here its in the image

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

79681958

Date: 2025-06-27 12:41:26
Score: 0.5
Natty:
Report link

I know this answer is very late, but I'm adding it just in case it is helpful to someone currently working on this issue.

We ran into this issue, and what we did was to replace the default string serializer class with a custom one that can read both the old format and the new format. When I was upgrading from Spring Boot 1.5 to 2.7 I did the following:

  1. I wrote a custom XStream-based XStreamExecutionContextStringSerializer that could read the old format.

  2. I then created a XStreamOrJackson2ExecutionContextStringSerializer that wrapped both an XStreamExecutionContextStringSerializer and a Jackson2ExecutionContextStringSerializer. This composite class would call the Jackson2ExecutionContextStringSerializer.deserialize() method inside of a try-catch. If the method threw a JsonProcessingException it would reset the stream, and call the XStreamExecutionContextStringSerializer. This way, it could handle both old ExecutionContext, and new ones.

  3. The XStreamOrJackson2ExecutionContextStringSerilizer.serialize() method simply delegated to Jackson2ExecutionContextStringSerializer.serialize(). This meant that over time, all of the old ExecutionContexts would get re-written in the Jackson2 format.

At some point we determined that every ExecutionContext in the database had been updated to the new format, and we dropped this composite string serializer class, and deleted the XStreamExecutionContextStringSerializer.

Sorry I can't post the example code, it's a proprietary code-base, but this should give you enough information to get past the issue.

Reasons:
  • RegEx Blacklisted phrase (0.5): Sorry I can't
  • Long answer (-1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: dsharp

79681947

Date: 2025-06-27 12:35:24
Score: 0.5
Natty:
Report link

If you want to avoid multiple DataComponent being created in the this.ele ElementRef, you can check before adding a new instance.

addComp(){
  if (this.ele && !this.ele.firstChild) {
      this.ele.createComponent(DataComponent);
  }
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Weber K.

79681938

Date: 2025-06-27 12:25:21
Score: 1.5
Natty:
Report link

Since you are on shared hosting, ensure that your server is configured to serve files from the /public directory correctly. Sometimes, server configurations can prevent new files from being served immediately.

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

79681933

Date: 2025-06-27 12:19:19
Score: 1
Natty:
Report link

sorry guys I just found only need to change

<muxc:TabView x:Name="Tabs"
                      VerticalAlignment="Center"
                      >

to

<muxc:TabView x:Name="Tabs"
                      VerticalAlignment="Stretch"
                      >

then all things done

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

79681922

Date: 2025-06-27 12:09:17
Score: 3
Natty:
Report link

The command was good but the password field contained two passwords separated by a new line

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

79681915

Date: 2025-06-27 12:05:16
Score: 2
Natty:
Report link

::cue is now baseline available since 2020 so all browsers (Chrome, Edge, Firefox, Safari) support this for more than 5 years.

video::cue {
  font-size: 1rem;
  color: yellow;
}

enter image description here

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

79681909

Date: 2025-06-27 12:01:15
Score: 0.5
Natty:
Report link

Just disable «Internet Protocol Version 6 (TCP/IPv6)» from your Network connection properties:

Run this from command line:

netsh interface ipv6 set prefixpolicy ::ffff:0:0/96 46 4

(Answer found here.)

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

79681907

Date: 2025-06-27 11:59:14
Score: 0.5
Natty:
Report link

For me, when changing from 3.0.0. to 3.3.6 the thing was in this, since for 3.0.0 there was some number and in 3.6.6. it has to be platform name (see available values in bom):

 <classifier>${native.target}</classifier>
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: azis.mrazish

79681900

Date: 2025-06-27 11:54:13
Score: 2.5
Natty:
Report link

For me this issue was caused by the Citrix Workspace App.
Uninstalling it fixed the issue.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Hans Van Beneden

79681899

Date: 2025-06-27 11:53:09
Score: 6.5 🚩
Natty:
Report link

so i dont quite under stand yet why the answer always 0 is and if anyone knows how to change that pleas tell me

Reasons:
  • Blacklisted phrase (1): anyone knows
  • RegEx Blacklisted phrase (2.5): pleas tell me
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Luna

79681898

Date: 2025-06-27 11:53:08
Score: 1
Natty:
Report link

Use the MetafieldSet
I am unable to paste into here, so I will try and type what you need (may have some typos)

mutation MetafieldsSet($metafields: [MetafieldSetInput!]!){
metafieldSet(metafields: $metafields){
metafields
{
id
namespace
key
value
}
userErrors {
field
message
elementIndex
}
}
}

Your upsert variables should be along the lines of the following:

"metafields" : [ {
"key" : "color-pattern",
"namespace" :"shopify",
"ownerId": "gid://shopify/Product/<PRODNUMBER>",
"type": "list.metaobject_reference",
"value": "[\"gid://shopify/Metaobject/<META OBJ ID>\"]"
}]

to find the specific meta object id, I like to use the browser dev tools, open up your product page in shopify, select the category meta field properties you want to add, and before saving

go to network tab,
click the clear button to remove any resources shown
filter by : type=mutation

for more filters click on Fetch/XHR

go ahead and save,

in the network tab list on the left you will see a URL name in the list
<storeID>?operation=MetafiedsSet&type=mutation

if you select it, you can then view the payload to see what variables shopify is setting in the admin UI

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

79681897

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

As https://github.com/sdkman/sdkman-cli/discussions/1170 delete the contents of .sdkman/libexec

It is currently working for Sdkman 5.19.0 but it is deprecated

~ $ sdk version

[Deprecation Notice]:
This legacy 'version' command is replaced by a native implementation
and it will be removed in a future release.
Please follow the discussion here:
https://github.com/sdkman/sdkman-cli/discussions/1332

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

79681896

Date: 2025-06-27 11:52:08
Score: 3
Natty:
Report link

I would recommend to use the Shopware Sync API and maybe import the data in chunks instead of the whole payload at once.

See: https://shopware.stoplight.io/docs/admin-api/faf8f8e4e13a0-bulk-payloads

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

79681878

Date: 2025-06-27 11:37:04
Score: 0.5
Natty:
Report link

If you use a bash script to deploy, use the following:

gcloud run services update-traffic ${CLOUD_RUN_SERVICE_NAME} --to-latest

If you prefer using UI, you can go to "Revisions tab", then "Manage Traffic" in the dropdown, then set "Latest healthy revision" to 100 for Traffic. It will be always the latest when you deploy a new version.

enter image description hereenter image description here

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

79681868

Date: 2025-06-27 11:29:02
Score: 3.5
Natty:
Report link

Doubleclick the refresh button checks all linked accounts.

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

79681862

Date: 2025-06-27 11:23:01
Score: 1
Natty:
Report link

i know this might be too late but i had the same issue and just solved it.
xcode -> editor -> canvas -> uncheck automatically refresh canvas

Reasons:
  • Whitelisted phrase (-1): i had the same
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Nithin Khan SS

79681858

Date: 2025-06-27 11:20:59
Score: 9.5 🚩
Natty: 6
Report link

hihihihihihihihihihihihihihihhi

Reasons:
  • Low length (2):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • No latin characters (3.5):
  • Low entropy (1):
  • Low reputation (1):
Posted by: user30908668

79681834

Date: 2025-06-27 11:06:55
Score: 1.5
Natty:
Report link

This might be an old question but to answer for anyone looking at this in the future, we need to also inherit from ReactiveObject Base class to make the [Reactive] attribute work

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

79681833

Date: 2025-06-27 11:03:54
Score: 4.5
Natty:
Report link

You can just use print.data.frame(df).

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

79681830

Date: 2025-06-27 11:03:54
Score: 1
Natty:
Report link

Open Android Studio and go to the Logcat tab. It will print log messages (e.g., from print() or log()) even when your app is killed. Any interaction or triggered event will be logged here, helping you monitor what's happening in real time.

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

79681820

Date: 2025-06-27 10:57:52
Score: 0.5
Natty:
Report link

CDK Instance now have the disable_api_termination property.

Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: Erik Forsberg

79681812

Date: 2025-06-27 10:53:51
Score: 3
Natty:
Report link

You do not have to define the schema; Qdrant is schemaless. You just need to add the "with_payload : true" parameter to your request.

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

79681784

Date: 2025-06-27 10:30:45
Score: 2.5
Natty:
Report link

This is because Windows is coded like that, there is no registry method, This registry setting is only used for disabling cursor suppession on the lock screen and any exes, including windeploy.exe whilst Windows is setting up. This does not apply with touch-screen.

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

79681782

Date: 2025-06-27 10:29:45
Score: 3.5
Natty:
Report link

I have the exactly same issue. Kindly tell me how you resolve it.

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

79681776

Date: 2025-06-27 10:25:44
Score: 1
Natty:
Report link

That’s the plan, which seems logical, but unfortunately, I have two problems: When I try to create contacts via API, I get the message that the identifier attribute is not a valid email, even though I am using a custom Identity Provider.

That indicates that you are not specifying the ipId in the payload when creating the contact. That would cause, that you are trying to create a Contact for Tapkey users, which needs to be an email address.

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

79681770

Date: 2025-06-27 10:21:43
Score: 2
Natty:
Report link

I work for Oxygen and I confirm we worked in time to change and refine the ways in which we highlight problems based on the Xerces validation.

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

79681764

Date: 2025-06-27 10:18:41
Score: 3
Natty:
Report link

https://docs.snowflake.com/en/sql-reference/functions/system_trigger_listing_refresh

show listings;

select system$trigger_listing_refresh('LISTING','LISTING_NAME');

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