79638827

Date: 2025-05-26 11:26:10
Score: 2
Natty:
Report link
The error message "definition of implicitly-declared 'Clothing::Clothing()'" typically occurs in C++ when there's an issue with a constructor that the compiler automatically generates for you. Let me explain what this means and how to fix it.

What's happening:
In C++, if you don't declare any constructors for your class, the compiler will implicitly declare a default constructor (one that takes no arguments) for you.

If you later try to define this constructor yourself, but do it incorrectly, you'll get this error.

Common causes:
You're trying to define a default constructor (Clothing::Clothing()) but:

Forgot to declare it in the class definition

Made a typo in the definition

Are defining it when it shouldn't be defined

Example that could cause this error:
cpp
class Clothing {
    // No constructor declared here
    // Compiler will implicitly declare Clothing::Clothing()
};

// Then later you try to define it:
Clothing::Clothing() {  // Error: defining implicitly-declared constructor
    // ...
}
How to fix it:
If you want a default constructor:

Explicitly declare it in your class definition first:

cpp
class Clothing {
public:
    Clothing();  // Explicit declaration
};

Clothing::Clothing() {  // Now correct definition
    // ...
}
If you don't want a default constructor:

Make sure you're not accidentally trying to define one

If you have other constructors, the compiler won't generate a default one unless you explicitly ask for it with = default

Check for typos:

Make sure the spelling matches exactly between declaration and definition

Check for proper namespace qualification if applicable

Complete working example:
cpp
class Clothing {
    int size;
    std::string color;
public:
    Clothing();  // Explicit declaration
};

// Proper definition
Clothing::Clothing() : size(0), color("unknown") {
    // Constructor implementation
}
If you're still having trouble, please share the relevant parts of your code (the class definition and constructor definition) and I can help identify the specific issue.
Reasons:
  • RegEx Blacklisted phrase (2.5): please share
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: BD Apparel Factory Co

79638826

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

Writing a Rust constructor that accepts a simple closure and infers the full generic type requires smart use of traits like Fn and trust in the type system. In Surah Al-Kahf, Musa’s journey with Khidr shows how deeper meaning unfolds over time—just as Rust reveals complex types from simple inputs through patience and design clarity.

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

79638819

Date: 2025-05-26 11:21:09
Score: 2
Natty:
Report link

I needed to replace the ZXing.Net.Bindings.ImageSharp package to ZXing.Net.Bindings.ImageSharp.V2 and the code started working by using the ZXing.ImageSharp.BarcodeReader<Rgba32> reader class. It doesn't need any arguments.

Reasons:
  • Blacklisted phrase (0.5): I need
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: tonsteri

79638815

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

you can’t directly change the resolution of an embedded video with a simple JavaScript line like you did with playback speed.

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

79638812

Date: 2025-05-26 11:16:07
Score: 3
Natty:
Report link

In my case I removed that permission and it is worked fine for me, try debugging it on android 13+ devices it would work

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

79638794

Date: 2025-05-26 10:59:01
Score: 2.5
Natty:
Report link

As laravel socialite not support Line directly, So after install socialite you must run an other command for line support extended

composer require socialiteproviders/line

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

79638791

Date: 2025-05-26 10:59:01
Score: 1.5
Natty:
Report link

As you are developing Medallion Architecture (Bronze > Silver > Gold) on Databricks with Unity Catalog, and your Azure Data Lake Gen2 structure with partitioned data.

You can follow this approach to robust system. Suppose this be your source file container in your ADLS Gen2 : abfss://bronze@<your_storage_account>.dfs.core.windows.net/adventureworks/year=2025/month=5/day=25/customer.csv

How should I create the bronze_customer table in Databricks to efficiently handle these daily files?

We can use Auto loader with Unity Catalog External Table. It is used for streaming ingestion scenarios where data is continuously landing in a directory.

Bronze Path is defined as

bronze_path = "abfss://bronze@<your_storage_account>.dfs.core.windows.net/adventureworks/"

Now, use Auto Loader to automatically ingest new CSV files as they arrive and store the data in the bronze_customer table for initial processing.

from pyspark.sql.functions import input_file_name

df = (
    spark.readStream
    .format("cloudFiles")
    .option("cloudFiles.format", "csv")
    .option("header", "true")
    .option("cloudFiles.inferColumnTypes", "true")
    .load(bronze_path)
    .withColumn("source_file", input_file_name())
)

How do I create the table in Unity Catalog to include all daily partitions?

Now, write as a Delta table in Unity Catalog.

(
    df.writeStream
    .format("delta")
    .option("checkpointLocation", "abfss://bronze@<your_storage_account>.dfs.core.windows.net/checkpoints/bronze_customer")
    .partitionBy("year", "month", "day")
    .trigger(once=True)
    .toTable("dev.adventureworks.bronze_customer")
)

The year, month, and day fields must exist in the file or be extracted from the path.

So, Data will be loaded in adventureworks.bronze_customer

What is the recommended approach for managing full loads (replacing all data daily) versus incremental loads (appending only new or changed data) in this setup?

For Bronze level, Auto Loader ingests new files into a partitioned, append-only Delta table without reprocessing.

For Silver level, if source provides files every day then full load and source provides changes in system then Incremental load in recommended.

Full Refresh Load:

cleaned_df.write.format("delta") \
  .mode("overwrite") \
  .option("replaceWhere", "year=2025 AND month=5 AND day=25") \
.saveAsTable("dev.adventureworks.silver_customer")

Incremental Load:

from delta.tables import DeltaTable

silver = DeltaTable.forName(spark, "dev.adventureworks.silver_customer")

(silver.alias("target")
 .merge(new_df.alias("source"), "target.customer_id = source.customer_id")
 .whenMatchedUpdateAll()
 .whenNotMatchedInsertAll()
 .execute())

For Gold Layer, it depends on the types of aggregation applied but incremental load basically preferred.

This is just an architectural suggestion for your given inputs and asked question not an absolute solution.

Resouces you can refer for more details:

Auto Loader in Databricks
MS document for Auto Loader
Upsert and Merge

Reasons:
  • Blacklisted phrase (1): How do I
  • Blacklisted phrase (1): How should I
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: Pritam

79638789

Date: 2025-05-26 10:59:01
Score: 2
Natty:
Report link

You want to use dynamic fields.
See: https://docs.typo3.org/p/apache-solr-for-typo3/solr/main/en-us/Appendix/DynamicFieldTypes.html
So for example:

product_article_number_stringS or/and product_article_number_stringEdgeNgramS
Reasons:
  • Probably link only (1):
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: dkd-kaehm

79638784

Date: 2025-05-26 10:55:00
Score: 0.5
Natty:
Report link

Enclose the password in double quotes (") to handle special characters. Use {{ to escape the { symbol in the password.

Try bcp "Database.dbo.Table" out "outputfile.txt" -S Server -U Username -P "PasswordWith{{" -c.

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

79638773

Date: 2025-05-26 10:45:58
Score: 0.5
Natty:
Report link

Use locator.pressSequentially().

// from
await page.type("#input", "text");
// to
await page.locator("#input").pressSequentially("text");
Reasons:
  • Probably link only (1):
  • Low length (1):
  • Has code block (-0.5):
  • High reputation (-1):
Posted by: unickq

79638771

Date: 2025-05-26 10:45:58
Score: 1.5
Natty:
Report link

I encountered a similar issue. The development build doesn't support this feature. To test mobile login, you'll need to upload a proper build. For testing purposes, you can upload it as an internal build. Hope this helps.

Reasons:
  • Whitelisted phrase (-1): Hope this helps
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Danish Shamim

79638770

Date: 2025-05-26 10:44:57
Score: 2
Natty:
Report link

I had the same issue today. I reduced the epochs from 50 to 35, which solved the problem.

Reasons:
  • Whitelisted phrase (-1): I had the same
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: S Hendricks

79638768

Date: 2025-05-26 10:42:57
Score: 2
Natty:
Report link

There are user events that you can enable in Keycloak, check https://www.keycloak.org/docs/latest/server_admin/index.html#event-listener

You could forward the events that are logged with fluentd and forward them to your backend of choice. Ideally you could make use of some SIEM tools or build your own alerting rules around pattern detection.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: ceng-p

79638767

Date: 2025-05-26 10:42:57
Score: 1
Natty:
Report link

The fix is to manually remove the GitHub Copilot login preferences from your VS Code settings.json.

Steps:

  1. Open the command palette (Cmd+Shift+P or Ctrl+Shift+P)

  2. Choose Preferences: Open Settings (JSON)

  3. Look for this block:

    "github.copilot.advanced": {
      "serverUrl": "https://yourcompany.ghe.com"
    }
    
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: smetanamolokovich

79638763

Date: 2025-05-26 10:40:56
Score: 1.5
Natty:
Report link

Make sure data property is of Date format (not string) snDate: Date, you might have to parse it e.g. new Date()

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

79638757

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

If still struggling, just replace your import from

@heroicons/react/outline

to

@heroicons/react/24/outline

Also change

XIcon to XMarkIcon

MenuIcon to Bar3Icon

SearchIcon to MagnifyingGlassIcon

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

79638754

Date: 2025-05-26 10:32:54
Score: 0.5
Natty:
Report link

Master branch

Staging branch

Develop branch

Feature branch

BugFix branch

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

79638752

Date: 2025-05-26 10:32:54
Score: 0.5
Natty:
Report link

I had the same error and I set my Kotlin version to 2.0.0

kotlin = "2.0.0"
Reasons:
  • Whitelisted phrase (-1): I had the same
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Josphat Mwania

79638732

Date: 2025-05-26 10:20:50
Score: 1.5
Natty:
Report link
import Link from 'next/link'
 
export default function Home() {
  return (
    <Link href="/dashboard" prefetch="hover">
      Dashboard
    </Link>
  )
}

You can set the prefetch option on links to "hover".

https://nextjs.org/docs/pages/api-reference/components/link#prefetch

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

79638730

Date: 2025-05-26 10:19:50
Score: 2
Natty:
Report link
android:fitsSystemWindows="true"

add this in your Root Layout of XML

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

79638729

Date: 2025-05-26 10:19:50
Score: 1
Natty:
Report link

If your Selenium Python script is being redirected from the USA clothing website to the European version, it’s likely due to geo-blocking or IP-based localization. Here’s how to fix it:

Why This Happens

Many global brands (e.g., Nike, Zara, H&M) automatically redirect users based on:

IP address location (if your server/VPN is in Europe).

Browser language settings (e.g., Accept-Language header).

Cookies/previous site visits (if you’ve browsed the EU site before).

Solutions to Force the USA Version

1. Use a US Proxy or VPN in Selenium

python

from selenium import webdriver

from selenium.webdriver.chrome.options import Options

chrome_options = Options()

chrome_options.add_argument('--proxy-server=http://us-proxy-ip:port') # Use a US proxy

driver = webdriver.Chrome(options=chrome_options)

driver.get("https://www.example-clothing.com") # Should load the US site

Free Proxy Risks: Public proxies may be slow/banned. Consider paid services like Luminati, Smartproxy, or NordVPN.

Cloudflare Bypass: Some sites block proxies, so test first.

2. Modify HTTP Headers (User-Agent & Accept-Language)

python

from selenium import webdriver

from selenium.webdriver.chrome.options import Options

chrome_options = Options()

chrome_options.add_argument('--lang=en-US') # Set browser language to US English

chrome_options.add_argument('user-agent=Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/91.0.4472.124 Safari/537.36')

driver = webdriver.Chrome(options=chrome_options)

driver.get("https://www.example-clothing.com")

3. Add a URL Parameter (If Supported)

Some sites allow manual region selection via URL:

python

usa_url = "https://www.example-clothing.com/en-us" # Try /us or ?country=US

driver.get(usa_url)

4. Clear Cookies & Local Storage

Previous EU site visits may trigger redirects:

python

driver.get("https://www.example-clothing.com")

driver.delete_all_cookies() # Clear cookies

driver.refresh() # Reload fresh

5. Use a US-Based Cloud Browser (Advanced)

Services like BrowserStack, LambdaTest, or AWS US instances provide US IPs for Selenium.

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

79638726

Date: 2025-05-26 10:16:49
Score: 1
Natty:
Report link

Instead of setFormTypeOption, new formalism is now using setFileConstraints like :

ImageField::new('mainImage')->setFileConstraints(
                new File([
                    'maxSize' => '10M',
                    'mimeTypes' => [
                        'image/jpeg',
                        'image/png',
                    ],
                    'mimeTypesMessage' => 'Please upload a valid image.'
                ])
            ),

(source : https://github.com/EasyCorp/EasyAdminBundle/pull/6258#issue-2241587520 )

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

79638717

Date: 2025-05-26 10:12:47
Score: 1.5
Natty:
Report link

I had the same problem with Avast antivirus. Just go to Avast Settings > General > Exceptions, and add the parent folder location where all your Flutter projects are stored. This way, both new and existing projects in that folder won't be flagged as a virus.

Reasons:
  • Whitelisted phrase (-1): I had the same
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Akshay C P

79638714

Date: 2025-05-26 10:12:47
Score: 2
Natty:
Report link

Heads up to anyone encountering this, could also be a whitespace issue e.g if column is of type number but you by accident have " -50" instead of just "-50", ignore strings here - they're just to show whitespace case

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

79638710

Date: 2025-05-26 10:10:46
Score: 2.5
Natty:
Report link

Had the same issue; /var partition was full. Stopping and restarting web-server and database solved the problem.

systemctl stop nginx mariadb
systemctl restart nginx mariadb

After a while the database could be accessed without dataloss.

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

79638702

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

With PrimeNg 19, a multiselect can be reset by calling the updateModel function:

select = viewChild<MultiSelect>('mySelectId');

clearSelection() {
  this.select().updateModel(null);
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: seb

79638698

Date: 2025-05-26 10:03:44
Score: 2.5
Natty:
Report link

Server setting
Wow. I had exactly the opposite experience to Aproram- ie only worked (including honouring breakpoints) when I changed the Host from 127.0.01 to localhost. PhpStorm 2025.1.0.1

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

79638690

Date: 2025-05-26 09:54:41
Score: 3
Natty:
Report link

Your design looks like a log of transactions. To judge if it is good or not, you need to examine it against business requirements. For example, How can you tell the amount available in each account? How do you deal with a loan? How do you deal with a Credit Card? Do you need to communicate the transactions with another accounting system (in such case you need to use debit, credit, expense, liability, etc. and the rest of accounting rules). Of course you need a timestamp. However, some time you may perform a transaction but this transaction is not fully executed immediately (according to banking rules). This is common in case of international money transfers. In that case you need more than one timestamp. You'd also take care of recording cancelled transactions. Financial institutions never physically delete transactions. In addition who performed the transaction is also very important. Last point I am going to mention is related transactions. Back to the money transfer case, most of the time there would be transaction fees, and one needs to relate the feels to the transaction. Oh, one more point. Your current model assumes single currency which may or may not good - Check the business requirements. Designing such a system is not trivial as one may think. In fact its more complex than many would think.

Reasons:
  • Blacklisted phrase (1): How do you
  • RegEx Blacklisted phrase (2.5): can you tell
  • Long answer (-1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: NoChance

79638677

Date: 2025-05-26 09:47:39
Score: 2.5
Natty:
Report link

I have changed Git client as VonC suggested in his answer and it still did not work.

In the end I realized I did set up repositorties I am authorized to, but I did not set up permissions:

enter image description here

After adding

it started working (maybe not all are required for it working, but I did not test more).

enter image description here

Reasons:
  • Blacklisted phrase (1): did not work
  • Probably link only (1):
  • No code block (0.5):
Posted by: Piro

79638668

Date: 2025-05-26 09:42:37
Score: 1
Natty:
Report link

To visualize recent orders for a crypto exchange, implement a real-time order book and trade history chart. Use candlestick charts for price trends and depth charts to display buy/sell orders dynamically. Integrating WebSocket APIs ensures live updates for accurate data flow. Highlighting the most recent trades with timestamps and transaction details enhances transparency. A user-friendly dashboard with intuitive UI/UX is essential for quick analysis. These tools not only improve user engagement but also strengthen trust in your platform. Effective Cryptocurrency Exchange Development should prioritize these features to deliver a seamless trading experience and foster informed decision-making among users.

4o

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

79638664

Date: 2025-05-26 09:38:36
Score: 3
Natty:
Report link

I'm not sure about my solution, but in my environment very important jdk version. I mean not all jdk version works with onnxruntime. In my environment: windows 11 and onnx 1.22, 1.21, 1.20 corectly works with jdk 17 and high (Only). If I try using jdk less 17 then pop up message like yours. If i want use jdk 11 I have to use onnxruntime 1.19.2 and less. For Ubuntu not checked.

Reasons:
  • RegEx Blacklisted phrase (1): i want
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: gorbunkov2023

79638658

Date: 2025-05-26 09:33:35
Score: 3
Natty:
Report link

As always, after asking for help I find the answer: it turned out to be this Chrome flag: chrome://flags/#partition-visited-link-database-with-self-links Disabling it makes the links change color again.

Sources: https://www.reddit.com/r/bugs/comments/1f25i60/chrome_visited_links_not_changing_color/

https://github.com/tailwindlabs/tailwindcss/discussions/18150

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

79638656

Date: 2025-05-26 09:31:34
Score: 4
Natty:
Report link

You can try downgrade version zone.js 12.x or change browserslistrc file . you can findsome thing in https://github.com/angular/angular/issues/54867?utm_source=chatgpt.com

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

79638650

Date: 2025-05-26 09:27:33
Score: 3.5
Natty:
Report link

I have the same version, but this didn't happen with me, maybe it's a bug or problem with the IDE on your system, However, I updated to version 2024.3.2 and use AGP version 8.10.0, and I suggest that you do that

version of android studio

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

79638646

Date: 2025-05-26 09:25:32
Score: 0.5
Natty:
Report link

Issue resolved:

It turned out that the Python script (using psycopg2) was connecting to 127.0.0.1:5432, which is IPv4.
However, the SSH tunnel was listening only on IPv6 — ::1:5432.

As a result:

In the code, I made an adjustment:
I forced psycopg2 to use IPv6 by specifying local_bind_address, and it automatically selected a free port.

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Виталий Тищенко

79638638

Date: 2025-05-26 09:18:29
Score: 4
Natty:
Report link

To disable redirection, method binds to @submit has to return false.

It's better for accessibility to bind @submit instead of @click.

See https://stackoverflow.com/a/71011158/8400360

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Low length (1):
  • No code block (0.5):
  • User mentioned (1): @submit
  • User mentioned (0): @submit
  • User mentioned (0): @click
  • Low reputation (0.5):
Posted by: Tom DARBOUX

79638628

Date: 2025-05-26 09:11:27
Score: 3
Natty:
Report link

if you want to start vue.js 3 for latest version with composition api then I will recommend AtoB youtube channel.
That channel in hindi if you want learn in english then you need to encode audio in english.

search in youtube by vue.js 3 AtoB then you will get vue.js 3 playlist

Reasons:
  • Contains signature (1):
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: AtoB

79638625

Date: 2025-05-26 09:09:26
Score: 4
Natty:
Report link

Not sure what you want to ask for... The document is not hard to read.

https://pub.dev/packages/flutter_secure_storage#getting-started

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

79638624

Date: 2025-05-26 09:08:26
Score: 0.5
Natty:
Report link

This issue is likely related to MSDTC session timeouts and the way DTC handles idle connections in unauthenticated, cross-domain scenarios. Since you've already confirmed that:

…it suggests that the DTC session is being closed due to idle timeout, and the first transaction after that fails due to a cold handshake or unavailable session cache.

Explanation

  1. MSDTC uses a combination of session-level security and RPC-based communication, which can be sensitive to:

  2. Network security policies (e.g., firewalls or timeouts on idle RPC sessions),

  3. Authentication settings (especially in cross-domain, unauthenticated environments),

  4. DTC session cache expiration.

In environments where No Authentication Required is set, MSDTC skips mutual authentication and relies more heavily on initial handshakes. When idle, the DTC service may discard session-related state, leading to the need for a full handshake again — which sometimes fails due to timing, firewall rules, or race conditions.

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

79638601

Date: 2025-05-26 08:53:22
Score: 1.5
Natty:
Report link

Use a package with pillow dependency:

pip install imageio

this will also download pillow

Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Barış Aktaş

79638593

Date: 2025-05-26 08:47:20
Score: 4
Natty:
Report link

The topic is a few years old, but does this still hold true? I am having the exact same problem of GKOctree not finding any elements in my query. I (and my coding buddy ChatGPT) run out of ideas why this could be the case.

Also, I miss an .elements() function or property to quickly check if my added elements are even contained properly.

Reasons:
  • No code block (0.5):
  • Me too answer (2.5): I am having the exact same problem
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: mabi99

79638590

Date: 2025-05-26 08:40:19
Score: 1.5
Natty:
Report link

Here is a potential way, provided by AWS Support:

[...] Amazon RDS takes DB snapshots during the upgrade process only if you have set the backup retention period for your DB instance to a number greater than 0. [...]

Using that knowledge, one could maybe devise an upgrade strategy to set the current backups to manually taken, then reduce retention to 0, then to upgrade then to increase retention again. I have not yet tested that idea though with regards to ensuring 100% safety with regards to quick disaster recovery during the time that retention is set to 0.

Reasons:
  • Blacklisted phrase (1): regards
  • Long answer (-0.5):
  • No code block (0.5):
  • Self-answer (0.5):
Posted by: Peter

79638588

Date: 2025-05-26 08:38:18
Score: 2.5
Natty:
Report link

Additional steps required here. You have to create a variable (in Flowise) with name apiKey of type runtime and in the Agents Configuration, in Security, enable Override Configuration and then enable the apiKey variable override.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Βασίλης Περαντζάκης

79638586

Date: 2025-05-26 08:36:17
Score: 5
Natty:
Report link

Does @Tutor_Melissa02 works for shopify as a customer service or adminhttps://t.me/Tutor_Melissa02 l think you can try searching using this link that she gave me.

Reasons:
  • Blacklisted phrase (1): this link
  • Low length (1):
  • No code block (0.5):
  • User mentioned (1): @Tutor_Melissa02
  • Single line (0.5):
  • Low reputation (1):
Posted by: noluthando maudo

79638579

Date: 2025-05-26 08:31:15
Score: 1.5
Natty:
Report link

You are in the global scope and overwriting a variable that already exists in the window object (the usual global context for browsers).

Solution 1: Use javascript modules, they execute in their own scope.

Solution 2: Use a self-executing function, then have all variables inside that scope.

Solution 3: Use a unique namespace to put your variables into. Like for example `const MyApp = {}; MyApp.name = "Bob";

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

79638578

Date: 2025-05-26 08:31:15
Score: 1.5
Natty:
Report link

What fixed the problem for me was adding this line:

C(const char *s) {
  std::locale::global(std::locale("C"));
  std::fstream f(s);
  double d;
  f >> d;
  std::cout << d;
  f >> d;
  std::cout << d;
}

I suspect that gtk might be modifiying locale itself after the application is launched so I have to correct it.

Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Starts with a question (0.5): What fix
  • Low reputation (1):
Posted by: l1ivi1l

79638577

Date: 2025-05-26 08:31:15
Score: 1.5
Natty:
Report link

use testDebugUnitTest instead of test

./gradlew testDebugUnitTest --test "class.path"
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: bottlerun

79638576

Date: 2025-05-26 08:30:15
Score: 1.5
Natty:
Report link

I got it, it only works on real devices, not emulators, for anyone else who might be going through this because it nearly drove me crazy

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

79638575

Date: 2025-05-26 08:30:15
Score: 1.5
Natty:
Report link

Import app (the initialized FirebaseApp) from src/lib/firebase.ts.

Import getFirestore from firebase/firestore.

Inside the handleSubmit function, right before creating the document reference, call const db = getFirestore(app, "your_database_name");

This db instance (which is now guaranteed to be for the "your_database_name" database) will be used in the doc(db, "users", user.uid) and setDoc(...) calls.

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

79638557

Date: 2025-05-26 08:18:12
Score: 0.5
Natty:
Report link

Thanks to @CommonsWare suggestions, using a TextureView instead fixed the issue right away. Here's what I had to change:

In the original layout i was using a SurfaceView, so that got swapped for:

<FrameLayout
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    android:background="@color/core_dark100">

    <TextureView
        android:id="@+id/surface"
        android:layout_width="match_parent"
        android:layout_height="match_parent"
        android:layout_gravity="center" />

</FrameLayout>

Here I wrapped it in a FrameLayout so that I could control "its" color while the video is still loading. Then in the custom ConstraintLayout implementation for my FPV widget, i replaced the SurfaceView's callbacks with the appropriate one for the TextureView:

binding.surface.isOpaque = false // used to display the FrameLayout's bg color

binding.surface.surfaceTextureListener = object : TextureView.SurfaceTextureListener {
    override fun onSurfaceTextureAvailable(surfaceTexture: SurfaceTexture, width: Int, height: Int) {
        isSurfaceReady = true
        surface = Surface(surfaceTexture)

        surface?.let { doStuff }
    }

    override fun onSurfaceTextureSizeChanged(surfaceTexture: SurfaceTexture, width: Int, height: Int) {
        surface?.let { doStuff }
        isSurfaceReady = true
    }

    override fun onSurfaceTextureDestroyed(surfaceTexture: SurfaceTexture): Boolean {
        isSurfaceReady = false
        surface?.release()
        surface = null
        return true
    }

    override fun onSurfaceTextureUpdated(surfaceTexture: SurfaceTexture) {
        // Called when the SurfaceTexture is updated via updateTexImage()
    }
}

That's all i had to do, now I could pass the surface directly to the DJI API.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @CommonsWare
  • Self-answer (0.5):
Posted by: Stelios Papamichail

79638552

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

I would add to the answer of @JohanC that you must disable "fliers" for the boxplot:

ax = sns.boxplot(data=tips, x="day", y="total_bill", showfliers=False,
                 hue="smoker", hue_order=['Yes', 'No'], boxprops={'alpha': 0.4})

These fliers are duplicates of points already shown with stripplot.

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

79638540

Date: 2025-05-26 08:09:09
Score: 3.5
Natty:
Report link

I observed a curious issue in SPI. TXE is not immediately cleared by writing in DR. I solve that issue by inserting some NOP before exit the interrupt.

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

79638531

Date: 2025-05-26 08:01:07
Score: 4
Natty: 5
Report link

@user4413257 i just need to tells you after all these years your comment helped some one (me)

thank you

Reasons:
  • Blacklisted phrase (0.5): thank you
  • Low length (1):
  • No code block (0.5):
  • User mentioned (1): @user4413257
  • Low reputation (1):
Posted by: Mohamed Taher

79638524

Date: 2025-05-26 07:58:05
Score: 0.5
Natty:
Report link

A workaround for C++23:

#include <concepts>
#include <iostream>

template <std::regular_invocable<> auto cstr>
void f() {
    std::cout << cstr() << '\n';
}

int main() {
    f<[]{return "template arg";}>();
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: shynur

79638515

Date: 2025-05-26 07:53:04
Score: 1
Natty:
Report link

Solution:

install the app not with Capabilities, but in the runtime with ((InteractsWithApps) driver).installApp().

WebDriverAgent can get all the necessary system-level interactions. Such as are Apple secure SpringBoard Passcode prompts.

Attention: For me it was necessary to install the runtimeApp with different bundleID, Appium somehow cached the Dump and if I have simply updated the capabilityinstalled app with runtime - it did not work.

Reasons:
  • Blacklisted phrase (1): did not work
  • Whitelisted phrase (-2): Solution:
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Mikhail Nersesov

79638510

Date: 2025-05-26 07:52:03
Score: 4.5
Natty:
Report link

I'm newbie in C too and i want to write functions same to Michele's. It's softcode and we can config parameters such as timer, channel, resolution bits, gpio output pwm. But it didn't work (no PWM signal). I'm stuck here and thankful to any help

I use same reference manual as Michele.

#include "pwm.h"

// ===== Peripheral control registers =====
#define DPORT_PERIP_CLK_EN_REG       (*(volatile uint32_t*)0x3FF000C0)     // Enable peripheral clocks
#define GPIO_ENABLE_W1TS_REG         (*(volatile uint32_t*)0x3FF44024)     // Enable output for GPIO < 32
#define GPIO_ENABLE1_REG             (*(volatile uint32_t*)0x3FF4402C)     // Enable output for GPIO >= 32
#define GPIO_FUNC_OUT_SEL_CFG_REG(n) (*(volatile uint32_t*)(0x3FF44530 + (n) * 0x4))   // GPIO output signal selection
   
// ===== IO_MUX register addresses for each GPIO =====
static const uint32_t gpio_io_mux_addr[] = {
    [0]  = 0x3FF49044, [1]  = 0x3FF49088, [2]  = 0x3FF49040, [3]  = 0x3FF49084,
    [4]  = 0x3FF49048, [5]  = 0x3FF4906C, [12] = 0x3FF49034, [13] = 0x3FF49038,
    [14] = 0x3FF49030, [15] = 0x3FF4903C, [16] = 0x3FF4904C, [17] = 0x3FF49050,
    [18] = 0x3FF49070, [19] = 0x3FF49074, [21] = 0x3FF4907C, [22] = 0x3FF49080,
    [23] = 0x3FF4908C, [25] = 0x3FF49024, [26] = 0x3FF49028, [27] = 0x3FF4902C,
    [32] = 0x3FF4901C, [33] = 0x3FF49020, [34] = 0x3FF49014, [35] = 0x3FF49018,
    [36] = 0x3FF49004, [37] = 0x3FF49008, [38] = 0x3FF4900C, [39] = 0x3FF49010,
};

// ===== LEDC timer and channel register base =====
#define LEDC_HSTIMER_CONF_REG(n)     (*(volatile uint32_t*)(0x3FF59140 + (n) * 0x8))    // High-speed timer configuration
#define LEDC_HSCH_CONF0_REG(n)       (*(volatile uint32_t*)(0x3FF59000 + (n) * 0x14))   // Channel configuration 0
#define LEDC_HSCH_HPOINT_REG(n)      (*(volatile uint32_t*)(0x3FF59004 + (n) * 0x14))   // High point
#define LEDC_HSCH_DUTY_REG(n)        (*(volatile uint32_t*)(0x3FF59008 + (n) * 0x14))   // PWM duty
#define LEDC_HSCH_CONF1_REG(n)       (*(volatile uint32_t*)(0x3FF5900C + (n) * 0x14))   // Channel configuration 1

// ===== Initialize PWM =====
void pwm_init(uint8_t timer_num, uint8_t channel_num, uint8_t resolution_bits, uint8_t gpio_num, uint32_t freq_hz) {
    // --- Enable LEDC peripheral clock ---
    DPORT_PERIP_CLK_EN_REG |= (1 << 11); // Bit 11: LEDC_EN

    // --- Configure LEDC timer ---
    volatile uint32_t* timer_conf = &LEDC_HSTIMER_CONF_REG(timer_num);

    *timer_conf &= ~(0x1F);                      // Clear previous resolution bits [0:4]
    *timer_conf |= (resolution_bits & 0x1F);     // Set new resolution (max 0x1F)

    // Calculate the clock divider: 80MHz / (frequency * 2^resolution)
    uint32_t divider = 80000000 / (freq_hz * (1 << resolution_bits));

    *timer_conf &= ~(0x3FFFF << 5);              // Clear divider bits [22:5]
    *timer_conf |= (divider << 13);              // Set divider (bits [22:5]), shifted appropriately

    // --- Configure PWM channel ---
    LEDC_HSCH_CONF0_REG(channel_num) &= ~(0b11);             // Clear old timer selection
    LEDC_HSCH_CONF0_REG(channel_num) |= (timer_num & 0x3);   // Select timer (0~3)

    LEDC_HSCH_CONF0_REG(channel_num) |= (1 << 2);            // Enable channel (bit 2 = EN)

    LEDC_HSCH_HPOINT_REG(channel_num) = 1;                   // Set high point to 1

    LEDC_HSCH_DUTY_REG(channel_num) &= ~(0xFFFFFF);          // Clear previous duty
    LEDC_HSCH_DUTY_REG(channel_num) = (20 << 4);             // Set default duty (shifted left 4 bits)

    GPIO_FUNC_OUT_SEL_CFG_REG(gpio_num) = 71 + channel_num; // Route LEDC HS_CHx to GPIO

    if (gpio_num < 32) {
        GPIO_ENABLE_W1TS_REG |= (1 << gpio_num);             // Enable output for GPIO < 32
    } else {
        GPIO_ENABLE1_REG |= (1 << (gpio_num - 32));          // Enable output for GPIO ≥ 32
    }

    // --- Configure IO_MUX for selected GPIO ---
    volatile uint32_t* io_mux_reg = (volatile uint32_t*)gpio_io_mux_addr[gpio_num];
    *io_mux_reg &= ~(0b111 << 12);                           // Clear FUNC field
    *io_mux_reg |= (2 << 12);                                // Set FUNC2 (LEDC high-speed function)

    LEDC_HSCH_CONF1_REG(channel_num) |= (1 << 31);           // Trigger duty update

    // --- Unpause the timer (start it) ---
    *timer_conf &= ~(1 << 23); // Bit 23: PAUSE (write 0 to run)
}

// ===== Update PWM duty cycle at runtime =====
void pwm_set_duty(uint8_t channel_num, uint32_t duty_value) {
    LEDC_HSCH_DUTY_REG(channel_num) = (duty_value << 4);     // Set new duty (shifted left 4 bits)
    LEDC_HSCH_CONF1_REG(channel_num) |= (1 << 31);           // Trigger duty update
}
Reasons:
  • Blacklisted phrase (1): any help
  • RegEx Blacklisted phrase (1.5): I'm stuck
  • RegEx Blacklisted phrase (1): i want
  • RegEx Blacklisted phrase (1.5): I'm new
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Tuấn Vũ Anh

79638509

Date: 2025-05-26 07:51:03
Score: 1.5
Natty:
Report link

1. Select your_database > Schemas
2. Go to menu bar - Object > Refresh

This will show the tables in Schemas > Tables

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

79638507

Date: 2025-05-26 07:49:02
Score: 1.5
Natty:
Report link

for me it is ok with the fully path :

<server name="KERNEL_CLASS" value="\App\Service\Kernel" />
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Frederic M

79638506

Date: 2025-05-26 07:48:02
Score: 7
Natty: 8
Report link

Where you able to solve this?Im currently facing this issue.

Reasons:
  • Blacklisted phrase (1): you able to solve
  • RegEx Blacklisted phrase (1.5): solve this?
  • Low length (1.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): Where you
  • Low reputation (1):
Posted by: Paul

79638500

Date: 2025-05-26 07:45:01
Score: 2.5
Natty:
Report link

You can simplify this by using a single Boolean to check if VAT is included, based on the dropdown value. I had to figure out similar logic while building a VAT Calculator app. The cleanest way is to use one dropdown name and check its value. It makes the condition easier to handle and avoids duplicate inputs.

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

79638495

Date: 2025-05-26 07:43:00
Score: 1.5
Natty:
Report link

You can check https://dockstats.com, it's ideal for your use-case.

You can easily grab all logs from your containers across many hosts. It's also very easy to setup

Reasons:
  • Low length (1):
  • No code block (0.5):
Posted by: Marko Krstic

79638475

Date: 2025-05-26 07:26:55
Score: 3.5
Natty:
Report link

Try after clearing the cookies.

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

79638470

Date: 2025-05-26 07:22:54
Score: 3
Natty:
Report link

Auto-Merge has removed the package ref from the .props file, check files in git

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

79638469

Date: 2025-05-26 07:21:54
Score: 3.5
Natty:
Report link

The issues was with symlink, there was no entry present for the sub application, after making some changes it started working

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

79638466

Date: 2025-05-26 07:19:53
Score: 4.5
Natty:
Report link

Helpful thread! Good reminder to use class properties to share data between methods—simple fix that keeps things clean and consistent.

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

79638461

Date: 2025-05-26 07:15:52
Score: 2
Natty:
Report link

Selecting 'Partner bidding' causes the issue in my case. Try creating a new ad without selecting 'Partner bidding'

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

79638456

Date: 2025-05-26 07:11:51
Score: 2
Natty:
Report link

Open the Command Palette (Ctrl+Shift+P)
Use: View: Reset View Locations

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

79638454

Date: 2025-05-26 07:09:50
Score: 2
Natty:
Report link
public static final String FIND_Targets = "SELECT type, description, target_id, valid, version FROM public.globalsettings WHERE type='Target';";
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Keerthi

79638452

Date: 2025-05-26 07:08:50
Score: 1
Natty:
Report link

Hey you might need to install a package because I also ran into the same problem
pip install setuptools

It was mostly because of the face_recognition package
Let me know if you have any other issues.

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

79638431

Date: 2025-05-26 06:52:45
Score: 1.5
Natty:
Report link
Browser = await Playwright.Chromium.LaunchAsync(new BrowserTypeLaunchOptions
    {
        Headless = false,
        Args = new[] { "--window-size=1920,1080" }
    });

it works!

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

79638427

Date: 2025-05-26 06:46:44
Score: 3
Natty:
Report link

I'm still unable to invalidate the refresh token, even after waiting more than 20 minutes.

The refreshTokensValidFromDateTime field was updated correctly, but I'm still able to use the existing refresh token to obtain a new access token. It seems the refresh token is not being invalidated as expected.

I’ve also checked the portal, and the StsRefreshTokensValidFrom field is correctly set to the current time.

For reference, my token lifetimes are configured as follows:

Is there any known issue that could be causing this?

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

79638425

Date: 2025-05-26 06:44:43
Score: 0.5
Natty:
Report link

What Is A URL Redirect?

Every time you change a url slug on your website, you run the risk of breaking old links. If you emailed a link to your audience, sent a client a direct link, or added that link to a button on your site, bad news: anyone who clicks on that link is going to land on a 404 page.

The good news? It’s easy to fix those broken links using url redirects!

Basically, a url redirect automatically sends you to a new url when you land on an old one. For example, if you set up a redirect from your old slug /contact-1 to your new page /contact, users who typed in or clicked the old link would automatically land on the new one instead.

Why You Might Need to Set Up URL Redirects in Squarespace

Aside from fixing broken links, you might set up url redirects to…

No matter the reason you need redirects, the setup is the same.

How to Create URL Redirects in Squarespace

If you’re ready to get started with Squarespace now, click here to save 10% off your first subscription of a website by using the code PARTNER10.

Here’s how to plan and create url redirects for your Squarespace website.

STEP 1: Make a list of all your potential redirects.

Create a list of all your current urls and what you want to change them to. You can write this down by hand, set up a Google Sheet, or (if you’re a member of The Creator Club) use my handy template.

STEP 2: Go to URL Mappings in the Squarespace builder.

In your Squarespace dashboard, navigate to SETTINGS > ADVANCED > URL MAPPINGS. You should see a code block.

STEP 3: Enter your redirects.

If you’re using my template, all you have to do is copy and paste the code from the third column.

If you’re doing this yourself, you’ll need to enter the old url, the new url, and the redirect type in this format:

/old-url-here -> /new-url-here 301

Depending on the type of redirect you’re making, you’ll enter either 301 or 302 after the two urls. A 301 redirect (which you’ll probably use most often) is meant to be permanent, but a 302 is meant to be temporary.

STEP 4: Test them out!

Once you’ve saved your redirects, it’s time to test them! Type the old url into your browser and make sure you’re automatically redirected to the new one. If it works, you’re done!

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): What Is A
  • Low reputation (1):
Posted by: user30618673

79638422

Date: 2025-05-26 06:41:43
Score: 1.5
Natty:
Report link

In newer fastai version,

resnet50(): no pre-trained weights are used.
resnet50(weights='DEFAULT'): the pre-trained weights are used. 
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: toshihiro okamoto

79638421

Date: 2025-05-26 06:41:43
Score: 1
Natty:
Report link

Returning DTOs is preferred because of below points:

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

79638419

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

Did u mean to statically restrict shape of the ndarray? For example, if u want a to be a (3, 4)-shaped float64 array, you can write like this:

from typing import Literal as L
import numpy as np
a: np.ndarray[tuple[L[3], L[4]], np.dtype[np.float64]] = np.zeros((3, 4), dtype=np.float64)

But most of the time u don't have to.

Reasons:
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): Did
  • Low reputation (1):
Posted by: iw17

79638415

Date: 2025-05-26 06:36:40
Score: 8 🚩
Natty: 4.5
Report link

Any luck solving this? Facing the same issue.

Reasons:
  • Blacklisted phrase (1.5): Any luck
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): Facing the same issue
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Paul

79638414

Date: 2025-05-26 06:36:40
Score: 0.5
Natty:
Report link

For migrating OwnCloud URLs to Azure Blob SAS URLs in SQL Server, C# is your best choice due to its excellent integration with both Azure SDK and SQL Server. For the best solutions contact Glocal Adda

Recommended Approach

1. Use C# with these key libraries:

csharp
// Azure Storage SDK
Azure.Storage.Blobs
Azure.Storage.Sas

// SQL Server connectivity
System.Data.SqlClient (or Microsoft.Data.SqlClient)

2. High-level migration strategy:

Phase 1: Data Migration

Phase 2: Database Update

Sample Implementation Structure

csharp
public class UrlMigrationService
{
    private readonly BlobServiceClient _blobClient;
    private readonly SqlConnection _sqlConnection;
    
    public async Task MigrateUrls()
    {
        // 1. Get OwnCloud URLs from database
        var oldUrls = await GetOwnCloudUrls();
        
        // 2. For each URL, generate Azure Blob SAS URL
        foreach(var url in oldUrls)
        {
            var sasUrl = GenerateSasUrl(url.BlobName);
            await UpdateUrlInDatabase(url.Id, sasUrl);
        }
    }
    
    private string GenerateSasUrl(string blobName)
    {
        var blobClient = _blobClient.GetBlobContainerClient("container")
                                  .GetBlobClient(blobName);
        
        return blobClient.GenerateSasUri(BlobSasPermissions.Read, 
                                        DateTimeOffset.UtcNow.AddHours(24))
                        .ToString();
    }
}

Key Considerations

SAS URL Expiration: SAS URLs have expiration times. Consider:

Performance:

Error Handling:

Alternative Approaches

1. Use Azure Data Factory for large-scale data movement 2. PowerShell scripts if you prefer scripting approach 3. SQL Server Integration Services (SSIS) for complex ETL scenarios

Security Best Practices

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

79638405

Date: 2025-05-26 06:28:38
Score: 0.5
Natty:
Report link

@MartinPrikryl regarding your comment, I tried with

private static final int PORT = 6323;
private static final String USERNAME = "tsbulk";
private static final String HOST = "<SERVER>";
private static final String ROOT_DIRECTORY = "/tsbulk-prod";
private static final String PRIVATE_KEY = "<PRIVATE-KEY-PATH>"

public static void main(String[] args) throws JSchException, IOException, SftpException {
    Path file = Files.write(createTempFile("foo", "bar"), "test".getBytes(UTF_8));
    JSch jSch = new JSch();
    jSch.addIdentity(PRIVATE_KEY);
    Session session = jSch.getSession(USERNAME, HOST, PORT);
    session.setConfig("StrictHostKeyChecking", "no");
    session.setConfig("PreferredAuthentications", "publickey");
    session.connect();
    ChannelSftp channel = (ChannelSftp) session.openChannel("sftp");
    channel.connect();
    channel.put(file.toString(), ROOT_DIRECTORY + "/" + file.getFileName());
    channel.rm(ROOT_DIRECTORY + "/" + file.getFileName());
    channel.disconnect();
    session.disconnect();
}

and it's working fine. The file gets uploaded and no errors are triggered. Of course, this is a bit a simplified setup given that it doesn't handle sub directories.

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

79638398

Date: 2025-05-26 06:18:35
Score: 1
Natty:
Report link
  1. Helps Separate Objects That Touch

    • If two things in a photo are stuck together (like touching coins), watershed can separate them clearly.
  2. Finds Clear Boundaries

    • It draws neat lines around each object, which helps when you want to count or label them.
  3. Better Results with Markers

    • You can tell the computer what’s background and what’s object — this helps avoid mistakes and over-segmentation (splitting too much).
  4. Works Great on Edge Images

    • If you use an edge-detection filter first, watershed becomes even more accurate.
  5. Very Useful in Medical and Scientific Images

    • Doctors use it to find and study things like cells, tumors, or organs in scan images.
  6. Easy to Use with Tools Like OpenCV

    • It’s available in popular image processing libraries, so you don’t have to build it from scratch.
Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Prachi Digifypro

79638391

Date: 2025-05-26 06:12:34
Score: 3.5
Natty:
Report link

Bit embarrassed, turns out it was the urn in the results object that was not the correct one. Works fine now

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

79638390

Date: 2025-05-26 06:10:33
Score: 2.5
Natty:
Report link

A milling cutter is a rotary cutting tool used in milling machines to shape and remove material from workpieces. It's essentially a rotating blade with multiple cutting edges that remove material by cutting, creating a smooth surface on the workpiece.

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

79638388

Date: 2025-05-26 06:09:33
Score: 3.5
Natty:
Report link

The Device Manager is on the side panel.

enter image description here

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

79638385

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

server.tomcat.remoteip.remote-ip-header="X-Forwarded-For" You can also try setting this in your application.properties.

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

79638373

Date: 2025-05-26 05:55:29
Score: 2
Natty:
Report link

Use the custom <MyPanel> for reusability and cleaner code in multiple places, and the pure XAML approach for quick, simple, one-off layouts.

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

79638366

Date: 2025-05-26 05:47:27
Score: 2.5
Natty:
Report link

share code after edit

css:

@import "tailwindcss";
@plugin "@tailwindcss/typography";
@source "../views";
@source "../../content";

@theme {
  --breakpoint-*: initial;
  --breakpoint-md: 1080px;
  --breakpoint-lg: 1280px;
  --container-*: initial;
  --container-md: 1080px;
  --container-lg: 1200px;
}

html :

<div
  class="sm:max-sm:bg-yellow-400 lg:bg-red-800 2xl:bg-purple-800 heading-36 container mx-auto"
>
  Lorem ipsum dolor sit amet consectetur, adipisicing elit. Suscipit, officiis
  soluta! Unde dolorum, officia ex ab distinctio iusto, repellendus maiores
  doloribus numquam iste incidunt tempore labore! Incidunt voluptatem non
  quibusdam!
</div>

in my case if I define it like that then the background color that I use for the brekapoin test doesn't work, everything just becomes red, why is that?

Reasons:
  • RegEx Blacklisted phrase (0.5): why is that
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: fajriyan

79638365

Date: 2025-05-26 05:47:27
Score: 1.5
Natty:
Report link

Yes. It is technically possible.

If /route2 is a http endpoint - sendRedirect from the someClassABC process method would work

However if it is just another route - then ProducerTemplate should be used for the redirection

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

79638360

Date: 2025-05-26 05:42:26
Score: 3
Natty:
Report link

you also can go to
/usr/lib/jvm
to see what java virtual machine is pointing to
image

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Ahmed Fahmi

79638358

Date: 2025-05-26 05:41:25
Score: 1
Natty:
Report link
  1. Workshop (PostgreSQL): Great for structured data like users, roles, files, and comments. You need relationships and strict rules here.

  2. Forum (MongoDB): Perfect for flexible, fast-changing data like threads and messages. NoSQL handles unstructured data well.

    Now,

    • Using both is okay: Since your workshop and forum are on different subdomains, they can run independently. Users can still share one account (auth system) while each app uses its own database.

    • Using only PostgreSQL: You could do everything in SQL, but the forum might feel more rigid. MongoDB gives you flexibility for discussions.

    According to me,

    Stick with PostgreSQL for the workshop and MongoDB for the forum. It’s a solid combo, and many apps mix SQL + NoSQL for different needs. Just make sure your auth system (user login) works across both!

    If keeping things simple is a priority, PostgreSQL alone can work—but MongoDB will make forum management easier.

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

79638353

Date: 2025-05-26 05:39:25
Score: 1
Natty:
Report link
Function KeepNumericAndDot(str As String) As String
    With CreateObject("VBScript.RegExp")
        .Global = True
        .Pattern = "[^0-9\.\-]+"
        KeepNumericAndDot = .Replace(str, "")
    End With
End Function
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: kingsbane

79638352

Date: 2025-05-26 05:39:25
Score: 3.5
Natty:
Report link

I check its working fine , you need to discuss with squarespace support.

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

79638351

Date: 2025-05-26 05:37:24
Score: 1
Natty:
Report link

Large legacy systems feel scary, but you got this. Let’s

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

79638348

Date: 2025-05-26 05:35:24
Score: 2.5
Natty:
Report link
  1. Discover the power of Calcoladora Alice – a tool that simplifies your financial calculations in just a few clicks. It’s perfect for both beginners and experts alike. Try it now at https://calcoladoraalice.com/ and see for yourself.

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

79638341

Date: 2025-05-26 05:27:22
Score: 2
Natty:
Report link

I implemented this in a shiny app. I get x-axis coordinates but not y-axis. Can not figure out how to fix this.

Actually it is in a plotly contour plot. I also want to get the z-axis coordintate too.

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

79638335

Date: 2025-05-26 05:15:19
Score: 1
Natty:
Report link

A few things:

  1. Optimistic state should be updated using useTransition() rather than just a normal function.
  2. Unlike a form action, your state won't be refetched from the server when your optimistic state finishes. You need to manually call router.refresh() or something when using useTransition() and updating the state on the server.
Reasons:
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Eliot Hertenstein

79638334

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

I first deleted ~/.aws/credentials file (made a copy), and then ran aws configure again. It works for me. But actually, just need to remove the session part, since it is the difference between new generated credentials file.

Reasons:
  • Whitelisted phrase (-1): works for me
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: James Stone

79638317

Date: 2025-05-26 04:58:14
Score: 0.5
Natty:
Report link

In Laravel 10+ , you can share data with all 404 error views using View Composers in AppServiceProvider.php like this:

View::composer('errors::404', function ($view) {
    $view->with('data', $data);
});
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Azade

79638313

Date: 2025-05-26 04:51:13
Score: 1
Natty:
Report link

import React, { useState } from "react"; import { View, Text, TextInput, Button, Image, TouchableOpacity } from "react-native"; import * as DocumentPicker from "expo-document-picker"; import * as SecureStore from "expo-secure-store";

export default function App() { const [auth, setAuth] = useState(false); const [pin, setPin] = useState(""); const [inputPin, setInputPin] = useState(""); const [files, setFiles] = useState([]);

const savePin = async () => { await SecureStore.setItemAsync("user_pin", pin); setAuth(true); };

const checkPin = async () => { const storedPin = await SecureStore.getItemAsync("user_pin"); if (storedPin === inputPin) setAuth(true); };

const pickFile = async () => { const result = await DocumentPicker.getDocumentAsync({ multiple: true }); if (result.type === "success") { setFiles([...files, result]); } };

if (!auth) { return ( <View style={{ flex: 1, justifyContent: "center", alignItems: "center" }}> <Image source={require("./assets/logo.png")} style={{ width: 100, height: 100 }} /> <Text style={{ fontSize: 20, fontWeight: "bold", marginBottom: 10 }}>Enter PIN <TextInput secureTextEntry keyboardType="numeric" style={{ borderBottomWidth: 1, width: 200, marginBottom: 20 }} onChangeText={setInputPin} /> <Text style={{ marginTop: 20, fontSize: 12 }}>First Time? Set your PIN below <TextInput secureTextEntry keyboardType="numeric" placeholder="Set PIN" style={{ borderBottomWidth: 1, width: 200, marginBottom: 10 }} onChangeText={setPin} /> ); } return ( <View style={{ flex: 1, padding: 20 }}> <Text style={{ fontSize: 24, fontWeight: "bold" }}>Secure Vault {files.map((file, index) => ( {file.name} ))} ); }

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

79638307

Date: 2025-05-26 04:38:10
Score: 2.5
Natty:
Report link

Issue got resolved and also thanks to AI for suggesting this as well..

The problem was when uploading app to play store google checks manifest and determine the features used by the app from premissions...<br/>

e.g: supposed if we need wifi permission then google thinks our app uses-feature wifi hardware.<br/><br/>

Now with my current app faketouch feature gets automatically applied by play console even i haven't mentioned it inside my app manifest.<br/>

Then, i have uploaded a test version and removed the OneSignal also which contains the firebase dependencies as well, after removal and uploading again i saw 2,444 devices are now supported. 👍

Reasons:
  • Blacklisted phrase (0.5): thanks
  • RegEx Blacklisted phrase (2): even i have
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: ShaRy

79638301

Date: 2025-05-26 04:26:07
Score: 1
Natty:
Report link

Basic points to consider while designing Model and DTO,

  1. Entity (Model)
  1. DTO (Data Transfer Object)
  1. Service Layer
Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • User mentioned (1): @Entity
Posted by: Anupam Haldkar

79638299

Date: 2025-05-26 04:23:06
Score: 2
Natty:
Report link

I found diff way to open my current repo in git GUI (I wanted to open git GUI, its cool) just copy path of GUI exe and paste it in current open window (web explorer search) like C:\Program Files\Git\cmd\git-gui.exe and hit enter

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