79734981

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

As an astronomy buff, I can offer the size of a star vs. the lifetime of a star as an example of something which as input increases, output decreases:

Our sun should burn for about 10 billion years (and we're about halfway there), but a star 10 times more massive will burn about 3,000 times brighter and live only about 20-25 million years. I'm not sure of the exact big-O or little-o equations, but astronomers have known this for some time: more massive stars burn exponentially brighter (and therefore live much less time) than smaller stars.

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

79734979

Date: 2025-08-14 05:43:24
Score: 3.5
Natty:
Report link

Think of a hotel front desk. You walk up and say,

“Please send someone to clean my room.”

You don’t specify who that is because it depends on which housekeeper is working.

The front desk checks the schedule, like a vtable.

The person assigned at that moment goes to clean your room.

In dynamic dispatch, your code makes a request to call a function. At runtime, the program checks which specific implementation to run before sending it to do the job.

Reasons:
  • RegEx Blacklisted phrase (2.5): Please send some
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Akhil George

79734972

Date: 2025-08-14 05:25:21
Score: 1.5
Natty:
Report link

I had this problem in several versions Now I have this problem in version 2024.3.3

I just cleared the cache and the problem was solved:

File > Invalidate Caches.. > Clear file system cache and Local History (check) > INVALIDATE AND RESTART

Reasons:
  • Blacklisted phrase (1): I have this problem
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Amir Roox

79734969

Date: 2025-08-14 05:21:20
Score: 0.5
Natty:
Report link

Required Plugins and Setup

1. Install the Capacitor AdMob Plugin:

bash

npm install @capacitor-community/admob
npx cap sync

2. Configure AdMob Plugin: Add the following to your capacitor.config.ts:

typescript

import { CapacitorConfig } from '@capacitor/core';

const config: CapacitorConfig = {
  plugins: {
    AdMob: {
      appId: 'ca-app-pub-xxxxxxxx~xxxxxxxx', // Your AdMob App ID
      testingDevices: ['YOUR_DEVICE_ID'], // For testing
    },
  },
};

Implementation Steps

Step 1: Initialize AdMob in your React app

typescript

import { AdMob, AdMobNative, NativeAdOptions } from '@capacitor-community/admob';

// Initialize AdMob
await AdMob.initialize({
  initializeForTesting: true, // Remove in production
});

Step 2: Create Native Ad Component

typescript

import React, { useEffect, useRef } from 'react';

const NativeAdComponent: React.FC = () => {
  const adRef = useRef<HTMLDivElement>(null);

  useEffect(() => {
    const loadNativeAd = async () => {
      const options: NativeAdOptions = {
        adId: 'ca-app-pub-xxxxxxxx/xxxxxxxx', // Your Native Ad Unit ID
        adSize: 'MEDIUM_RECTANGLE',
        position: 'CUSTOM',
        margin: 0,
        x: 0,
        y: 0,
      };

      try {
        await AdMobNative.createNativeAd(options);
        await AdMobNative.showNativeAd();
      } catch (error) {
        console.error('Error loading native ad:', error);
      }
    };

    loadNativeAd();

    return () => {
      AdMobNative.hideNativeAd();
    };
  }, []);

  return <div ref={adRef} id="native-ad-container" />;
};

Step 3: Platform-specific Configuration

For iOS (ios/App/App/Info.plist):

xml

<key>GADApplicationIdentifier</key>
<string>ca-app-pub-xxxxxxxx~xxxxxxxx</string>
<key>SKAdNetworkItems</key>
<array>
  <!-- Add SKAdNetwork IDs -->
</array>

For Android (android/app/src/main/AndroidManifest.xml):

xml

<meta-data
  android:name="com.google.android.gms.ads.APPLICATION_ID"
  android:value="ca-app-pub-xxxxxxxx~xxxxxxxx"/>

Advanced Implementation with Custom Native Ad Layout

typescript

const CustomNativeAd: React.FC = () => {
  const [nativeAdData, setNativeAdData] = useState(null);

  useEffect(() => {
    const loadCustomNativeAd = async () => {
      try {
        const result = await AdMobNative.loadNativeAd({
          adUnitId: 'ca-app-pub-xxxxxxxx/xxxxxxxx',
          adFormat: 'NATIVE_ADVANCED',
        });
        
        setNativeAdData(result.nativeAd);
      } catch (error) {
        console.error('Failed to load native ad:', error);
      }
    };

    loadCustomNativeAd();
  }, []);

  return (
    <div className="native-ad-container">
      {nativeAdData && (
        <>
          <img src={nativeAdData.icon} alt="Ad Icon" />
          <h3>{nativeAdData.headline}</h3>
          <p>{nativeAdData.body}</p>
          <button onClick={() => AdMobNative.recordClick()}>
            {nativeAdData.callToAction}
          </button>
        </>
      )}
    </div>
  );
};

Best Practices

  1. Test Thoroughly: Use test ad unit IDs during development

  2. Error Handling: Always implement proper error handling for ad loading failures

  3. User Experience: Ensure native ads blend seamlessly with your app's design

  4. Performance: Load ads asynchronously to avoid blocking the UI

  5. Compliance: Follow Google AdMob policies for native ad implementation

Professional Development Support

If you're facing challenges with complex React implementations or need expert guidance for your mobile app development project, consider partnering with a professional reactjs app development company.

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

79734962

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

You do need to sort the attributes in a DER-encoded SET. This is critical for CAdES which computes the hash of SignedAttributes by re-assembling them as an explicit SET before computing the digest. If you didn’t sort them the same way, the hashes won’t match.

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

79734952

Date: 2025-08-14 04:53:12
Score: 0.5
Natty:
Report link
  1. Fork flutter_udid on GitHub.

  2. In your fork, change jcenter()mavenCentral().

  3. Reference your fork in pubspec.yaml:

dependencies:
  flutter_udid:
    git:
      url: paste your forked repo url
      ref: main

now your project will now use your modified fork rather than the original package from pub.dev

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

79734951

Date: 2025-08-14 04:53:11
Score: 6
Natty:
Report link

Kindly go through this link, https://aws.amazon.com/blogs/storage/connect-snowflake-to-s3-tables-using-the-sagemaker-lakehouse-iceberg-rest-endpoint/.

Reasons:
  • Blacklisted phrase (1): this link
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Nageshvaran Gnanashanmugam

79734950

Date: 2025-08-14 04:52:11
Score: 2
Natty:
Report link

if you need a process in an active user session, but you want to run it remotely, then you will have to use a bundle of scheduler and events. You will need to create a task separately in the task scheduler, so that the task always runs in an active user session. Set events as a trigger and you can set up a filter for a keyword. Next, you will only need to remotely trigger the event/log entry.

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

79734929

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

make sure your alpine.js is not load twice. if you are using livewire version 3 you dont need to load alpine anywhere else.

you can check your livewire version in composer.json. in my case its look like this

{
    "require": {
        "livewire/livewire": "^3.6.4",
    },
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: eater

79734922

Date: 2025-08-14 03:44:57
Score: 1
Natty:
Report link

This may help others:

I had very similar outputs (almost the same ones) after runing all three commands below:

service docker start

systemctl status docker.service

journalctl -xe

Nothing along stackoverflow worked. I reviewd the step-by-step installation on my WSL2 Ubuntu (standard) (env: Windows 11 Pro) and I realized I'd made:

sudo nano /etc/wsl.conf

and inserted this in "wsl.conf" file:

[boot]
command = service docker start

After deleted that from "wsl.conf" everything worked well.

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Fellipe Tavares

79734918

Date: 2025-08-14 03:27:53
Score: 2.5
Natty:
Report link

# Further reduce image size to ensure it fits on the PDF page

max_width = 6 * inch

max_height = 8 * inch

doc = SimpleDocTemplate(output_pdf_path, pagesize=letter)

story = [RLImage(input_image_path, width=max_width, height=max_height)]

doc.build(story)

output_pdf_path

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

79734917

Date: 2025-08-14 03:23:52
Score: 5
Natty:
Report link

I have a doubt in this diagram that is how can all the angles between the H- atoms are 109°. The complete is angle is 360° but here the three angles between the H- atoms are 109° and if we add three 109° we get 327° but the angle should come 360° and so I have doubt that how so it comes

Reasons:
  • RegEx Blacklisted phrase (2): I have a doubt
  • Low length (0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Unknown user

79734914

Date: 2025-08-14 03:14:49
Score: 3
Natty:
Report link

Fixed the issue by just deleted the node_modules and package_lock.json and did npm i inside the project folder.

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

79734907

Date: 2025-08-14 02:55:45
Score: 0.5
Natty:
Report link

I suspect that when you are setting the Icon in "displayNotification()" could be the culprit

private fun displayNotification(){
...
// set the small icon using the Icon created from bitmap (API 23+)
        builder.setSmallIcon(Icon.createWithBitmap(bitmap))
            .setContentTitle("Simple Notification")
...
}

it looks like your createWithBitmap() function could be repeatedly called by the builder, maybe assign Icon.createWithBitmap() to a variable outside of the builder?

ie:

val bitmapIcon = Icon.createWithBitmap(bitmap)
builer.setSmallIcon(bitmapIcon)

[im guessing a little here, im still learning kotlin]

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

79734896

Date: 2025-08-14 02:25:40
Score: 3
Natty:
Report link

There is also the fact that MainApplication.kt is the default entry point of the program, without making changes in the Manifest file to point the "launcher" code.

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

79734890

Date: 2025-08-14 02:13:37
Score: 0.5
Natty:
Report link

let dataPath: String = "MyDB"

//var db_uninitialized: OpaquePointer? // 👈  Reference #0 -> Never used. Will fail if called.
    
    func openDatabase() -> OpaquePointer? {
        let filePath = try! FileManager.default.url ( for: .documentDirectory , in: .userDomainMask , appropriateFor: nil , create: false ).appendingPathComponent ( dataPath )
      
        
        var db: OpaquePointer? = nil
        if sqlite3_open ( filePath.path , &db ) != SQLITE_OK {
          debugPrint ( "Cannot open DB." )
          return nil
        }
        else {
          print ( "DB successfully created." )
          return db
        }
    }


// 👇  Reference #1 -> PRIMARY KEY column must be `unique.` `Unique` means no other rows in the column contain an equal value.
func createStockTable() {
    let createTableString = """
    CREATE TABLE IF NOT EXISTS Stocks (
      id INTEGER PRIMARY KEY,
      stockName STRING,
      status INT,
      imgName STRING,
      prevClose DOUBLE,
      curPrice DOUBLE,
      yield DOUBLE,
      noShares INT,
      capitalization DOUBLE,
      lastUpdated String
    );
    """
  
    var createTableStatement: OpaquePointer? = nil
    if sqlite3_prepare_v2 ( initialized_db , createTableString , -1 , &createTableStatement , nil ) == SQLITE_OK {
        if sqlite3_step ( createTableStatement ) == SQLITE_DONE {
            print ( "Stock table is created successfully" )
        } else {
            print ( "Stock table creation failed." )
        }
        sqlite3_finalize ( createTableStatement )
    }
  sqlite3_close ( initialized_db ) // 👈 Reference #2 -> Connection lost and will need to be recreated for insertion function.
}




// 👇 Reference #3 -> extension on `OpaquePointer?` declared.
extension OpaquePointer? {
  func insertStocks ( id: Int, stockName: String, status: Int, imgName: String, prevClose: Double, curPrice: Double, yield: Double, noShares: Int, capitalization: Double, lastUpdated: String) -> Bool {

      let insertStatementString = "INSERT INTO Stocks (id, stockName, status, imgName, prevClose, curPrice, yield, noShares, capitalization, lastUpdated) VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?);"
      var insertStatement: OpaquePointer? = nil
      if sqlite3_prepare_v2 ( self , insertStatementString , -1, &insertStatement , nil ) == SQLITE_OK {
        
          sqlite3_bind_int    ( insertStatement , 1  , Int32 ( id ) )
          sqlite3_bind_text   ( insertStatement , 2  , ( stockName as NSString ).utf8String , -1 , nil )
          sqlite3_bind_int    ( insertStatement , 3  , Int32(status))
          sqlite3_bind_text   ( insertStatement , 4  , ( imgName as NSString ).utf8String, -1 , nil )
          sqlite3_bind_double ( insertStatement , 5  , Double ( prevClose ) )
          sqlite3_bind_double ( insertStatement , 6  , Double ( curPrice ) )
          sqlite3_bind_double ( insertStatement , 7  , Double ( yield ) )
          sqlite3_bind_int64  ( insertStatement , 8  , Int64  ( noShares ) )
          sqlite3_bind_double ( insertStatement , 9  , Double ( capitalization ) )
          sqlite3_bind_text   ( insertStatement , 10 , ( lastUpdated as NSString ).utf8String, -1, nil)
          if sqlite3_step ( insertStatement) == SQLITE_DONE {
              print("Stock Entry was created successfully")
              sqlite3_finalize(insertStatement)
              return true
          } else {
              print("Stock Entry Insert failed")
              return false
          }
      } else {
          print("INSERT Statement has failed")
          return false
      }
  }
}

/// 👇  Reference #5 -> Change `id` input from `1` to `Int.random(in: 0...10000)` to satisfy `unique` constraint. Note this could still fail if the generated integer already exist in the `id` column.
func addStocks() {
  let result = initialized_db.insertStocks ( id: Int.random(in: 0...10000), stockName: "Tulsa Motors", status: 1, imgName: "Tulsa_logo", prevClose: 125.18, curPrice: 125.18, yield: 0.025, noShares: 14357698, capitalization: .pi , lastUpdated: "2025-05-01 17:00:00")
  print ( "Database insertion result: \( result )" )
}

var initialized_db = openDatabase() // 👈  Reference #6 -> Captured instance of Database connection.
createStockTable()                  // 👈  Reference #7 -> Connection closed at the end of function.
initialized_db = openDatabase()     // 👈  Reference #8 -> Connection reestablished.
addStocks()                         // 👈  Reference #9 -> Dont forget to close your connection, finalize, and clean up.



If you wanted to make the id column autoincrement, like Douglas W. Palme said, you can omit it from you bind function, adjust your column indices... I would also recommend you declare it in you `creationStatement` for completeness sake.

let createTableString = """
CREATE TABLE IF NOT EXISTS Stocks (
id INTEGER PRIMARY KEY AUTOINCREMENT,
stockName STRING,
status INT,
imgName STRING,
prevClose DOUBLE,
curPrice DOUBLE,
yield DOUBLE,
noShares INT,
capitalization DOUBLE,
lastUpdated STRING
);
"""

Best regards.

Reasons:
  • Blacklisted phrase (0.5): Best regards
  • Blacklisted phrase (1): regards
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Tim

79734889

Date: 2025-08-14 02:07:35
Score: 1
Natty:
Report link

Select the Node2D and not the Sprite2D. I solved it finally.

Reasons:
  • Whitelisted phrase (-2): I solved
  • Low length (1.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
Posted by: BrianLegg

79734885

Date: 2025-08-14 02:02:33
Score: 1
Natty:
Report link

GridDB does not natively support querying nested JSON values directly within a STRING column. The current capabilities of GridDB for handling JSON payloads stored as strings do not include querying nested elements within the JSON. The approach you are currently using—selecting all rows, parsing the JSON in Java, and then filtering manually—is the typical method for dealing with JSON data stored as strings in GridDB.

If you require the ability to query nested JSON values efficiently, you may need to consider a different database system that has built-in support for JSON data types and allows querying of nested JSON elements directly, such as MongoDB. MongoDB, for example, provides powerful querying capabilities for JSON documents, including the ability to query nested fields.

In summary, with GridDB, you will need to handle JSON parsing and filtering within your application code, as native querying of nested JSON is not supported.

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

79734877

Date: 2025-08-14 01:51:30
Score: 1
Natty:
Report link

Here's one approach Screenshot illustrating effect of suggested formula

=LET(pvt,PIVOTBY(B2:B27,A2:A27,B2:B27,LAMBDA(x,ROWS(x)),,0,,0),sort,MATCH({"","Jan","Feb","Mar","Apr","May"},TAKE(pvt,1)),CHOOSECOLS(pvt,sort))
Reasons:
  • Probably link only (1):
  • Low length (1):
  • Has code block (-0.5):
  • Has no white space (0.5):
  • High reputation (-1):
Posted by: Spectral Instance

79734875

Date: 2025-08-14 01:44:28
Score: 4
Natty:
Report link

any ideas why my UITabBar looks like having a background on iOS 26? build on Xcode 26 beta.

image

Reasons:
  • Blacklisted phrase (1): any ideas
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: wang chuck

79734872

Date: 2025-08-14 01:43:27
Score: 1
Natty:
Report link

So I figured out what the issue was, simply removing the error from the end of the method signature seems to solve my problem, and the Method is now accessible from other methods across my package.

Reasons:
  • Whitelisted phrase (-2): I figured out
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: zero_day

79734863

Date: 2025-08-14 01:03:17
Score: 1
Natty:
Report link

The question is about the behavior of Swift’s Array.max when the array is of type Double and contains one or more NaN values alongside valid numeric values.

The official documentation simply states that max() returns “the sequence’s maximum element” and that it returns nil if the array is empty. However, this leaves ambiguity in cases where the concept of “maximum” is mathematically undefined, such as when NaN is involved, since any comparison with NaN is false.

The user points out that if “maximum” means “an element x such that x >= y for every other y in the array,” then an array containing a NaN technically doesn’t have a maximum element at all. That raises the question: should max() return nil, NaN, or something else in this scenario?

Through experimentation, the user observed that Swift’s implementation seems to ignore NaN values when determining the maximum and instead returns the maximum of the remaining non-NaN numbers. This approach is practical, but it’s not explicitly documented, which makes developers unsure whether it’s a guaranteed behavior or just an implementation detail that could change.

The user is seeking official Apple documentation that explicitly confirms this handling of NaN in Array.max, rather than having to infer it from experiments.

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

79734861

Date: 2025-08-14 00:58:16
Score: 1
Natty:
Report link

The initialization vector is a salt - it's a random string that makes different encryption sessions uncorrelated and this makes it more difficult to crack the encryption/decryption key. By definition, the salt/iv influences the output of the encryption algorithm, and also the output of the decryption algorithm. By changing the IV in the middle of an encrypt + decrypt, you are essentially corrupting your decryption process and you were fortunate not to get total garbage as a result.

While the initialization vector does NOT have to be secret, it DOES have to be different for every new piece of plaintext that is encrypted, otherwise the ciphertexts will all be correlated and an attacker will have an easier time cracking your encryption key.

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

79734859

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

here is an update on adding a new elide widget text box in-between the other 2.

import tkinter as tk

root = tk.Tk()
root.title("Testing widgets for Elide")

# create 'line number' text box
line_text = tk.Text(root, wrap="none", width=5, insertwidth=0)  #  don't want the cursor to appear here
line_text.pack(fill="y", side="left")

# added > create elide button text box
line_textR = tk.Text(root, wrap="none", width=2, insertwidth=0)  #  don't want the cursor to appear here
line_textR.pack(fill="y", side="left")

# create 'code' text box
text_box = tk.Text(root, wrap="none")
text_box.pack(fill="both", expand=True, side="left")

# add a tag to line number text box (need text to be at the right side)
line_text.tag_configure("right", justify="right")

# add some text into the text boxes
for i in range(13):
    line_text.insert("end", "%s \n" % (i+1))  #  add line numbers into line text box (now on the left side)
line_text.tag_add("right", "1.0", "end")

for i in range(13):
    text_box.insert("end", "%s \n" % ("some text here at line number #" + str(i+1)))  #  add some text int the main text box (now on the right side)

for i in range(13):
    line_textR.insert("end", " \n")  #  add blank space on each line for the elide widget text box _ this allows for widget placement by line number (now in the middle)

# add button to use as elide +/- (inside text boxes? _ not sure which widget is correct (button, label, image)?
elide_button = tk.Button(line_textR, text="-")
line_textR.window_create("11.0", window=elide_button)  #  *** test ***



root.mainloop()

enter image description here

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

79734856

Date: 2025-08-14 00:47:13
Score: 3
Natty:
Report link

To make the two series of samples independent and uncorrelated, I suggest you randomly select samples from the second series (mix their order up) to make the two series uncorrelated.

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

79734853

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

from pdf2image import convert_from_path

# Convertir el PDF a imágenes JPG

pages = convert_from_path(file_path, dpi=200)

jpg_paths = []

for i, page in enumerate(pages):

jpg_path = f"/mnt/data/linea_tiempo_fosa_mariana_page\_{i+1}.jpg" 

page.save(jpg_path, "JPEG") 

jpg_paths.append(jpg_path) 

jpg_paths

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

79734852

Date: 2025-08-14 00:37:11
Score: 0.5
Natty:
Report link

I think you want the in operator, but I haven't tested the following:

for (let idx = 0; idx < collection.length; idx++) {
  const localIdx = idx;
  if (idx in collection) {
    collection[localIdx] = collection[localIdx] * 2;
  }
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Lea de Groot

79734851

Date: 2025-08-14 00:36:10
Score: 1
Natty:
Report link

What resource group are you providing in the command to create the deployment?

az deployment group create --resource-group

This is the scope the deployment will be created it. You cannot create resources in 2 different resource groups in the same file just by using scope.

You should create a separate bicep file for creating the resources in the second RG and use that resource group name when running the command to create the deployment.

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

79734838

Date: 2025-08-14 00:05:02
Score: 1.5
Natty:
Report link

Although this is not exactly what you are asking for, Azure DevOps supports adding - retryCountOnTaskFailure to a task that allows you to configure retries if the task fails.

Microsoft doc reference - https://learn.microsoft.com/en-us/azure/devops/pipelines/process/tasks?view=azure-devops&tabs=yaml#number-of-retries-if-task-failed

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

79734832

Date: 2025-08-13 23:51:59
Score: 1.5
Natty:
Report link

No standards exist for direct matplotlib patch conversion - at least as far I'm aware. If you're just trying to create spherical ellipses, there may be a more robust approach using EllipseSkyRegion from astropy-regions package.

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

79734829

Date: 2025-08-13 23:40:57
Score: 1
Natty:
Report link

University Course Management

Entities & Attributes

Department (DeptName PK, DeptNo, HeadID, StartDate)

Course (CourseCode PK, Title, CreditValue)

Professor (ProfID PK, Name, ContactInfo, Address, Salary, Gender, DOB)

Student (StudentID PK, Name, ContactInfo, Address, Gender, DOB)

Relationships

Department offers Course (1–M)

Department headed_by Professor (1–1)

Professor teaches Course (M–M, attribute: HoursPerWeek)

Professor supervised_by Professor (recursive)

Student enrolled_in Course (M–M, attribute: Grade)

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

79734824

Date: 2025-08-13 23:35:56
Score: 1.5
Natty:
Report link

AutoCAD’s built-in DBCONNECT lets you link drawing objects to external database records, but it does not automatically update label text from SQL updates in real time. To achieve what you want, you’ll need to use dbConnect with database-linked attributes or fields, then run a data update inside AutoCAD using DATAUPDATE (or manually refresh the link) after making changes in SQL. For dynamic updates without manual refresh, you’d need custom automation using AutoLISP, .NET API, or VBA to query SQL and push the values into AutoCAD objects. Autodesk’s dbConnect documentation is a good starting point.

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

79734815

Date: 2025-08-13 23:15:51
Score: 1.5
Natty:
Report link

So, the pros do it with pure debug or assembly and "assembly coders do it with routines".

https://en.wikipedia.org/wiki/Debug_(command)
https://en.wikipedia.org/wiki/Assembly_language
http://google.com/search?q=assembly+coders+do+it+with+routine
http://ftp.lanet.lv/ftp/mirror/x2ftp/msdos/programming/demosrc/giantsrc.zip
http://youtu.be/j7_Cym4QYe8

MS-DOS 256 bytes, Memories by "HellMood"

http://youtu.be/Imquk_3oFf4
http://www.sizecoding.org/wiki/Memories
http://pferrie.epizy.com/misc/demos/demos.htm

Of course other compilers also exist for different programming languages which is your flavor. I don't anymore like today's Apps that are huge in both RAM and application memory usage and we re using interpreters again. No wonder that smart phones require recharging every now and then.

https://en.wikipedia.org/wiki/Interpreter_(computing)

So now both AI and Python are a very bad power consumption after all...

-Sigma

Reasons:
  • Blacklisted phrase (1): youtu.be
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Jari Kytöjoki

79734814

Date: 2025-08-13 23:15:51
Score: 0.5
Natty:
Report link

WSL uses the Windows Proxy Settings. Setting a manual proxy in a new enough version of Windows 11 will allow `wsl --update --web-download` to work.

You can optionally use the AutoProxy setting, but I believe this will also be applied to all distributions that you have running as well, so beware.

Scotty's comment about the WSL manual download location from the Microsoft WSL Github is helpful. Before being able to use wsl update, I would go there and download the latest "Release" not the pre-releases for use with Docker. The download script mentioned in the comments above is interesting, as well.

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

79734802

Date: 2025-08-13 22:54:46
Score: 2.5
Natty:
Report link

You are using the new Observation Framework (iOS 17 / Swift 5.9), and the problem is that @Environment gives you the LoginViewModel object itself, but it is not directly bound.

To use $loginVM.showApiAlert in .alert, you need a two-way binding, but you don't have it because $loginVM does not exist in this context. You can wrap a property in Binding directly in .alert.

Reasons:
  • No code block (0.5):
  • User mentioned (1): @Environment
  • Low reputation (1):
Posted by: Pavel L.

79734801

Date: 2025-08-13 22:52:45
Score: 1
Natty:
Report link

In some more complex scenarios these VM Options may help:

-Djava.rmi.server.hostname=localhost 
-Dcom.sun.management.jmxremote.port=6799 
-Dcom.sun.management.jmxremote.authenticate=false 
-Dcom.sun.management.jmxremote.ssl=false

Any other free port can be used instead of 6799.

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

79734798

Date: 2025-08-13 22:42:43
Score: 1.5
Natty:
Report link

For anyone in 2025:
The only solution really working is to log out of the account, then press Option+Ctr+E (to delete the cache on safari) and then re-login.

After that you should be able to just download the .p8 file as normal.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: akos.one

79734778

Date: 2025-08-13 22:06:33
Score: 3.5
Natty:
Report link

There is a new package that allow you to do that
https://www.npmjs.com/package/msw-request-assertions

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

79734776

Date: 2025-08-13 21:59:32
Score: 2.5
Natty:
Report link

Try to switch off:

"Settings" / "Developer Options" / "Verify apps over USB"

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: libeasy

79734771

Date: 2025-08-13 21:49:30
Score: 1.5
Natty:
Report link

If you only request for a subset of name, email, and user profile, the list of test users is not taken into account.

According to the documentation, it is an exception (check the part that says "The only exception to this behavior...").

This applies to applications in Publishing status as Testing.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Daniel Duarte

79734768

Date: 2025-08-13 21:45:29
Score: 0.5
Natty:
Report link

Try to also have a look in these tools: 1. Watcom C/C++ (It features tools for developing and debugging code for DOS, NEC PC-98, OS/2, Windows, and Linux operating systems, which are based upon 16-bit x86, 32-bit IA-32, or 64-bit x86-64 compatible processors. It is a true cross compiler)
https://en.wikipedia.org/wiki/Watcom_C/C%2B%2B
https://en.wikipedia.org/wiki/PC-98`` (a Japanese system)
https://en.wikipedia.org/wiki/Cross_compiler
And how to break the 32-bit code limit in MS-DOS and 640 kB up to 64 MB aka DOS/4G which was made widely popular by computer games like Doom or Tomb Raider.
https://en.wikipedia.org/wiki/DOS/4G
https://en.wikipedia.org/wiki/Doom_(1993_video_game)
https://www.computerworld.com/article/1563853/the-640k-quote-won-t-go-away-but-did-gates-really-say-it.html

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Jari Kytöjoki

79734761

Date: 2025-08-13 21:42:28
Score: 1.5
Natty:
Report link

If you run your BDDs with gradle use this task config:

(Note "--tags" argument with "not @sandbox" as a value for tests I want to exclude)

task("uat") {

    description = "Runs user acceptance tests."
    group = "verification"

    dependsOn("assemble", "testClasses")
    doLast {
        val featurePath = project.findProperty("feature") ?: "src/test/resources/features"

        javaexec {
            mainClass.set("io.cucumber.core.cli.Main")
            classpath = configurations["cucumberRuntime"] + sourceSets["main"].output + sourceSets["test"].output
            args(
                "--plugin",
                "pretty",
                "--plugin",
                "html:build/cucumber/cucumber.html",
                "--plugin",
                "junit:build/cucumber/cucumber-junit.xml",
                "--plugin",
                "json:build/cucumber/cucumber.json",
                "--glue",
                "com.my.cool.package.uat",
                "--tags",
                "not @sandbox",
                featurePath.toString(),
            )
        }
    }
}
Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @sandbox
  • Low reputation (1):
Posted by: Daniel Burtman

79734756

Date: 2025-08-13 21:37:27
Score: 0.5
Natty:
Report link

Use an open hash schema for metadata

Instead of trying to disable validate_keys in the type, you define metadata as a hash that doesn’t declare its keys i.e., an “open” hash. In dry-validation DSL, that means just using .hash with no nested schema, or .hash(any: :any).

Here’s the clean approach:

class MyContract < Dry::Validation::Contract
  config.validate_keys = true

  params do
    required(:allowed_param).filled(:string)
    optional(:metadata).hash
  end
end

That’s it.
No nested schema means dry-schema will only check “is this a hash?” and won’t validate keys inside it even with validate_keys = true.

If you want to be explicit about “any key, any value”

class MyContract < Dry::Validation::Contract
  config.validate_keys = true

  params do
    required(:allowed_param).filled(:string)
    optional(:metadata).hash do
      any(:any)
    end
  end
end

Both of these achieve your goal: metadata can have any keys and values, but the top-level still rejects unexpected keys.

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

79734747

Date: 2025-08-13 21:20:22
Score: 1
Natty:
Report link

Unfortunately, it seem that Microsoft, owning GitHub, is not willing to allow us to be free of the AI integrations. As best as I can tell, as long as you do not set up CoPilot in your environment, then it should not be able to run queries. However, it seems unlikely that you can remove it.

In VS Code 1.103.1, there is a "Finish Setup" icon in the bottom tray next to the Notifications bell that can serve as an indicator that you are not set up to use any AI models. However, it would be reasonable to guess that all other telemetry collected by the application is contributing to their AI development and integration.

If you are resolved to work with an editor that does not include any AI integrations, then you may need to change editors.

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

79734745

Date: 2025-08-13 21:19:22
Score: 2.5
Natty:
Report link

a quick fix, changing the domain name, incase your initial domain is known and you want to make the App inaccessible.

settings--> Domain --> edit

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

79734743

Date: 2025-08-13 21:19:22
Score: 2.5
Natty:
Report link

Another option is to create a supertype of Company and Customer, called something like Member. Then the relationship is from Membership to Member. The one common data element of Member is the ID#. The other data elements are specific to the subtypes: Company (name, contact name) or Customer (first name, last name).

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

79734736

Date: 2025-08-13 21:03:17
Score: 1
Natty:
Report link

I tried your code.

The walls were being created but they were falling through the bottom of the screen never to be seen.

To fix this:

I added a StaticBody2D to the bottom of the screen to serve as a floor.

Added a CollisionShape2D to the StaticBody2D as a child so it does collision detection

Added a RectangleShape2D to the CollisionShape2D in the inspector and dragged it out in 2D to form the collision area.

Did the same CollisionShape2D and RectangleShape2D adding to the wall this time. Then it stops it falling through the floor

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

79734726

Date: 2025-08-13 20:47:13
Score: 0.5
Natty:
Report link

Cupy was outputting the floats as a cupy.array in the tuple comprehension above whereas numpy outputted the floats as floats. Changing the code to this produced the desired output:

import cupy as cp

def sortBis(mat: np.ndarray): 
    colInds = cp.lexsort(mat[:, 1:]) mat[:, 1:] = mat[:, 1:][:, colInds] 
    return mat

newMat = cp.array([[ 0.,  0.,  0.,  0.,  0.,  0.,  0.,  0.,  0.,  0.,  1.], [ 0.,  1.,  0.,  0.,  0.,  0.,  0.,  0.,  0.,  0., -1.]]

newMatSet.add(tuple(tuple(float(i) for i in row) for row in sortBis(newMat)))
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: EzTheBoss 2

79734722

Date: 2025-08-13 20:36:10
Score: 3.5
Natty:
Report link

I found another solution to this problem.

add:

{
    "C_Cpp.codeAnalysis.clangTidy.args": [ "${default}", "-mlong-double-64" ],
}

to settings.json file. This will set the long-double size to 64 and so 128 won't be included.

I get a similar error when I compile from the command line manually without this option. But there it is about missing a stream << operator for the __float128 type. :-(

Reasons:
  • Has code block (-0.5):
  • Me too answer (2.5): I get a similar error
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: JamesInFlorida

79734717

Date: 2025-08-13 20:33:09
Score: 1
Natty:
Report link
If you specifically want to keep the invalid `httpa://` protocol (perhaps for testing or a custom use case), you need to understand that **standard browsers and apps will reject it** since it’s not a recognized scheme like `http://` or `https://`.  

---

### How to Use `httpa://` (Non-Standard Protocol)
#### Option 1: **For Development/Testing (Custom Protocol)**
If this is for a custom app or local environment (e.g., a mock API), you can:
1. **Register `httpa://` as a custom protocol** in your app (e.g., Electron, mobile app, or browser extension).  
   - Example (Electron.js):
     ```javascript
     app.setAsDefaultProtocolClient('httpa');
     ```
   - For **Android/iOS apps**, define it in the manifest/plist file.

2. **Use a URL handler** to intercept `httpa://` links and redirect/log them.

#### Option 2: **Replace with Standard Protocol**
If this was a typo, just correct it to `http://` or `https://` (recommended for production):
```text
https://tattoo.api/api-create?utm_source=APKPUREAds&...

Option 3: Use a Placeholder (No Functional URL)

If you need the literal text httpa:// for documentation/mockups (non-clickable):

httpa://tattoo.api/api-create?utm_...

Why httpa:// Won’t Work by Default


AQIL FAROOQ MUHAMMAD

Reasons:
  • Contains signature (1):
  • Long answer (-1):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: AQIL FAROOQ MUHAMMAD

79734713

Date: 2025-08-13 20:28:08
Score: 0.5
Natty:
Report link

I just ran these two commands and it worked:

cd android/
./gradlew clean

then build again

Reasons:
  • Whitelisted phrase (-1): it worked
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Mohamed Outerbah

79734711

Date: 2025-08-13 20:25:07
Score: 3
Natty:
Report link

I just downloaded my dream league soccer classic game but it's not working,it says it needs to download additional contents from Google play

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

79734702

Date: 2025-08-13 20:14:04
Score: 1.5
Natty:
Report link

You can also get the same error (SecKeyCreate init(RSAPrivateKey) failed: -50) from a RSA key if you:

  1. Have not stripped the headers -----[BEGIN/END] PRIVATE KEY----- from the .pem file contents

  2. Loaded the file into string as a format other than ASCII (it's probably a common mistake to try to load it as UTF8)

  3. Have not created a Data object with the string using the base64Encoded parameter (which will fail if you have loaded the file in a non-ASCII format)

So if you put all of this together, the full answer is this, which successfully creates the SecKey from a .key or .pem file (with .key, assuming you chose the correct options for public key):

let privateKeyData = try! Data(contentsOf: Bundle.main.url(forResource: "rsaPrivateKey", withExtension: "pem")!)
let privateKeyString = String(data: privateKeyData, encoding: .ascii)!
    .replacingOccurrences(of: "-----BEGIN PRIVATE KEY-----", with: "")
    .replacingOccurrences(of: "-----END PRIVATE KEY-----", with: "")
    .replacingOccurrences(of: "\n", with: "")

let privateKeyStrippedData = Data(base64Encoded: publicKeyString, options: .ignoreUnknownCharacters)!
        
let options: [NSObject: NSObject] = [
    kSecAttrKeyType: kSecAttrKeyTypeRSA,
    kSecAttrKeyClass: kSecAttrKeyClassPrivate,
    kSecAttrKeySizeInBits: NSNumber(value: 2048)
]
var error: Unmanaged<CFError>?
let privateKey = SecKeyCreateWithData(privateKeyStrippedData as CFData, options as CFDictionary, &error)
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Me too answer (2.5): also get the same error
  • Low reputation (0.5):
Posted by: Rollersteaam

79734698

Date: 2025-08-13 20:09:02
Score: 0.5
Natty:
Report link

Simple ~1 liner to do this with Object.entries and Object.fromEntries as well.

const renameKey = (obj, oldKey, newKey) => Object.fromEntries(Object.entries(obj).map(([key, value]) => [
  key === oldKey ? newKey : key, value
]));
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Dennis

79734694

Date: 2025-08-13 20:06:01
Score: 1
Natty:
Report link

To avoid making changes in system files you can download package from PyPI. Then you are able to comment lines that causes error, and build package from file.

Steps to solve

  1. Open PyPI and download archive with package
  2. Extract folder from archive to any known place
  3. Open file src/evdev/ecodes.c
  4. Comment line 542
[...]
PyModule_AddIntMacro(m, KEY_PICKUP_PHONE);
PyModule_AddIntMacro(m, KEY_HANGUP_PHONE);
//PyModule_AddIntMacro(m, KEY_LINK_PHONE);
PyModule_AddIntMacro(m, KEY_DEL_EOL);
PyModule_AddIntMacro(m, KEY_DEL_EOS);
[...]
  1. Open terminal and activate your venv (if you are using it)
  2. Go to folder with given package and write
pip install .
  1. If there are more problematic lines in ecodes.c files, comment them like in step 4

Now your package evdev should be installed without any errors.

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

79734685

Date: 2025-08-13 19:52:57
Score: 2.5
Natty:
Report link

I have found solution - I have installed
Xamarin.AndroidX.AppCompat version 1.7.0.7 (not last), with Xamarin.AndroidX.Lifecycle.Runtime (>= 2.8.7.4 && < 2.8.8). It is work, AppCompat is available.

See details here:
https://github.com/dotnet/maui/discussions/31002#discussioncomment-14082478

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

79734654

Date: 2025-08-13 19:02:43
Score: 2.5
Natty:
Report link

If you need more advanced handling—like automatic data validation, support for logos, color customization, and multiple export formats—you might want to check out HeroQR on Packagist, which has built-in handling for different data types including URLs.

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

79734653

Date: 2025-08-13 19:01:43
Score: 1.5
Natty:
Report link

I know it's an old post, but for reference, Devise will try to sign your user in if you call current_user before your controller action is called (for exemple in your application_controller).

There is an issue open on Github: https://github.com/heartcombo/devise/issues/5602

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Thomas Geider

79734652

Date: 2025-08-13 18:59:42
Score: 2
Natty:
Report link

If someone have similar error, I found answer. First of all I add

skipHydration: true,

to the store. After thar I made Hydrations component. It looks like this:

'use client';

import { useAuthStore } from '@/store/auth.store';
import { useEffect } from 'react';


export default function Hydrations() {
    useEffect(() => {
        useAuthStore.persist.rehydrate();
    }, []);

    return null;
}

And I import it in layout.tsx

Also, ChatGPT give me that hook, maybe someone neet it. It check if hydration was by now (??). Idk, you can use it if you want.

'use client';

import { useState, useEffect } from 'react';

export function useIsMounted() {
  const [isMounted, setIsMounted] = useState(false);

  useEffect(() => {
    setIsMounted(true);
  }, []);

  return isMounted;
}
Reasons:
  • Whitelisted phrase (-1.5): you can use
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): have similar error
  • Contains question mark (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Anastasia Moroz

79734648

Date: 2025-08-13 18:57:42
Score: 1
Natty:
Report link
with open(filepath, 'r') as file:
    reader= csv.reader(file)
    # print(reader)
    header = next(reader) #if we place this outside of the open, then it will through a ValueError: I/O operation on closed file.
    print(header)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: user1559128

79734636

Date: 2025-08-13 18:39:36
Score: 7
Natty: 5.5
Report link

I have been working on a similar issue to you and I was wondering if you found the solution?

Reasons:
  • Blacklisted phrase (2): was wondering
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Tyler Marino

79734630

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

if you import your router like this:
import {router} from "expo/router"

change it to

import {useRouter} from "expo/router"

const router = userRouter() --- this worked for me

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

79734623

Date: 2025-08-13 18:18:31
Score: 0.5
Natty:
Report link

Is there a way to suppress or disable this default Apple confirmation popup within a Flutter app?

No.

Can I fully replace it with a custom Flutter animation or UI instead?

No.

Or is this popup mandatory and unavoidable for compliance reasons?

I don't know what "for compliance reasons" means. You cannot prevent the confirmation alert. You cannot modify the confirmation alert. You cannot even detect the confirmation alert. It is all happening outside of your app.

For a long time, I did try, in my apps, to supplement the confirmation alert, that is, to wait until it had appeared and had been dismissed, and then to present my own alert. (See https://stackoverflow.com/a/55342219/341994.) But I no longer even do that, because it just isn't worth the trouble: the attempt relied almost entirely on guesswork, and that's no way to program.

Instead, you should do what Apple wants you to do — namely, when you are notified that the user has completed the purchase, you should modify the overall interface of your app in a way that reflects that the user can now experience the app in a different way. For instance, you might change the title of an already visible button, or the text of some already visible label, in accordance with the fact that this item is now purchased. Apple's purchase and confirmation interface will appear and vanish, leaving your altered interface visible — and that's that.

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Blacklisted phrase (1): Is there a way
  • Long answer (-1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): Is there a
  • High reputation (-2):
Posted by: matt

79734609

Date: 2025-08-13 18:04:27
Score: 3
Natty:
Report link

I had similar problem - so if this helps anyone:

My tests started to give me this error and I was quite confused since I thought that nothing changed in my tests.
If I'm not mistaken at some point the order of test execution changed and my test data (fixtures) got all messed up, some assuming that hard coded IDs exist in my database.

Then I checked if it is possible to reset postgres serials between test cases and it indeed is: How can I reset a Django test database id's after each test?

Reasons:
  • Blacklisted phrase (0.5): How can I
  • No code block (0.5):
  • Ends in question mark (2):
Posted by: O-9

79734604

Date: 2025-08-13 18:00:25
Score: 9.5
Natty: 3
Report link

Have you found any workarounds?

I have the same issue in my application

Reasons:
  • Blacklisted phrase (1): I have the same issue
  • RegEx Blacklisted phrase (2.5): Have you found any workarounds
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): I have the same issue
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Alexander

79734592

Date: 2025-08-13 17:47:20
Score: 1.5
Natty:
Report link

Updated the .net version from web properties. Try build the application. Then you gotta resolve each files / modules seperately which includes breaking changes. As per my knowledge there are not alternatives or shortcut.
I have actually worked on a application where we migrated a .net 3 application to .net 4.8 written in vb, webforms. We actually had to resolve everything piece by piece.

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

79734590

Date: 2025-08-13 17:44:20
Score: 2
Natty:
Report link

Did you try by installing the pods?

cd ios && pod install --repo-update && cd ..
Reasons:
  • Whitelisted phrase (-2): Did you try
  • Low length (1.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): Did you
  • Low reputation (0.5):
Posted by: Dibyajyoti Mishra

79734588

Date: 2025-08-13 17:43:19
Score: 2
Natty:
Report link

Did you try by installing the pods?

cd ios && pod install --repo-update && cd ..
Reasons:
  • Whitelisted phrase (-2): Did you try
  • Low length (1.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): Did you
  • Low reputation (0.5):
Posted by: Dibyajyoti Mishra

79734585

Date: 2025-08-13 17:41:18
Score: 0.5
Natty:
Report link

I was getting this issue trying a build command in .NET 9 for a Blazor web application and then after trying a few unsuccessful things, for me using the rebuild command instead of build resolved it although there are the same number of files in the bin\Debug\net9.0` folder as there were before this but it fixed it at least for whatever reason so may be worth a try before amending the project or repairing VS.

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

79734584

Date: 2025-08-13 17:41:18
Score: 2
Natty:
Report link

Did you try by installing the Pods?

cd ios && pod install --repo-update && cd ..
Reasons:
  • Whitelisted phrase (-2): Did you try
  • Low length (1.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): Did you
  • Low reputation (0.5):
Posted by: Dibyajyoti Mishra

79734583

Date: 2025-08-13 17:41:18
Score: 2.5
Natty:
Report link

You may need to connect your Vercel user to your github account:

https://vercel.com/account/settings/authentication

Even if you are able to push to the repo, Vercel won't deploy it unless it recognizes the github account

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

79734580

Date: 2025-08-13 17:38:17
Score: 2
Natty:
Report link

I'd recommend checking out a ThinkReview Gitlab AI Code review tool . Its a chrome extension that integrates within chrome and generates code reviews with Gitlab MR requests .

Currently it uses gemini's latest pro model at this time its 2.5 to analyze the code

enter image description here

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

79734577

Date: 2025-08-13 17:37:16
Score: 0.5
Natty:
Report link
Splice Slice
Modifies Original array Yes No
Returns Array of deleted items Array of selected items
Can be used on Strings No Yes
Can be used on Arrays Yes Yes
Method Signature (startIndex, ?deleteCount, ...newItemsToAdd) (?startIndex,?endIndex)
Best way to remember Splice splits. Slice slips.
Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • High reputation (-1):
Posted by: KJ Sudarshan

79734558

Date: 2025-08-13 17:03:06
Score: 1.5
Natty:
Report link

On Mac Os Big Sur, I faced with the absence of libzstd while cmake tried to build pyarrow

brew install zstd

works for my case.

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

79734547

Date: 2025-08-13 16:49:02
Score: 3.5
Natty:
Report link

I don't understand how this is NOT a core feature of vscode. There are certain folders that I want and need to be highly visible so that I can easily and quickly find them. I would also like the ability to increase the font size for these folders in addition to changing the text color and the icon.

Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Ron Palmer

79734544

Date: 2025-08-13 16:45:01
Score: 2
Natty:
Report link

Try to use Service Callout functionality for a second call.
Here you can see how to do it - https://raviteja8.wordpress.com/2017/03/24/service-callout-in-osb/.

OSB doesn't have functionality to persist data, at least explicite capability.

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

79734541

Date: 2025-08-13 16:38:59
Score: 2.5
Natty:
Report link

I saw this issue too. We actually found a bug in Hasicorp's AzureRM code where they were not setting the source_server_id when importing the replica_server, even though it was being provided correctly from the Azure side. We currently have a ticket open to them to fix the bug, but until their fix, the workaround that we are using is to manually update state in order to set the source_server_id to the primary server correctly, and set the create_mode to "Replica."

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

79734535

Date: 2025-08-13 16:33:58
Score: 1
Natty:
Report link
<link rel="manifest" href="/manifest.webmanifest">
<meta name="theme-color" content="#000000">
<script>
  if ('serviceWorker' in navigator) {
    navigator.serviceWorker.register('/service-worker.js');
  }
</script>
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Raju R

79734534

Date: 2025-08-13 16:33:58
Score: 1
Natty:
Report link
from flask import Flask, request, jsonify

app = Flask(__name__)

@app.route('/my_endpoint', methods=['POST'])
def process_data():
    data = request.form['key']  # Or request.json if sending JSON
    result = do_something(data)
    return jsonf(newData=result)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Daniel Chijindu

79734525

Date: 2025-08-13 16:21:55
Score: 1.5
Natty:
Report link

In this line

req, err := http.NewRequest("POST", "/", nil)

use httptest instead of http :

req, err := httptest.NewRequest("POST", "/", nil)
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Distraw

79734523

Date: 2025-08-13 16:21:55
Score: 0.5
Natty:
Report link

I figured it out. It turns out it isn't anything with my code or at least that part of my code. The problem is that I have each region listed twice so once I realized that if I turned them both to "hiding" then the color was removed as I expected.

Reasons:
  • Whitelisted phrase (-2): I figured it out
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: EagleEye1812

79734521

Date: 2025-08-13 16:19:54
Score: 3
Natty:
Report link

Title:

Why do I get Import "llama_index.xxx" could not be resolved in VS Code even though I installed it?


Question:

I’m using Python 3.11.8 in a virtual environment.
I installed llama-index and llama-parse successfully via pip.
My code runs fine, but in VS Code I get warnings for every import:

Import "llama_index.llms.ollama" could not be resolved
Import "llama_parse" could not be resolved
...

Example:

from llama_index.llms.ollama import Ollama
from llama_parse import LlamaParse
from llama_index.core import VectorStoreIndex, SimpleDirectoryReader, PromptTemplate

How can I fix this?


Answer:

This error is from VS Code’s Pylance, not Python.
It happens because VS Code is looking at a different Python environment than the one where you installed the packages.


1. Check if the packages are installed in your active environment

Open a terminal inside VS Code, activate your venv, and run:

# Linux / Mac
which python

# Windows
where python

python -m pip show llama-index llama-parse

If they’re missing, install them in that environment:

python -m pip install llama-index llama-parse

2. Select the correct Python interpreter in VS Code

  1. Press Ctrl + Shift + P (or Cmd + Shift + P on Mac)
  2. Search for: Python: Select Interpreter
  3. Choose the interpreter from your project’s .venv or env folder.

3. Restart VS Code and reload Pylance

Ctrl + Shift + P → Developer: Reload Window

Or disable and re-enable the Python extension.


4. Verify imports at runtime

python -c "import llama_index; import llama_parse; print('All good!')"

If it prints “All good!”, your runtime is fine — the warning was just an IntelliSense environment mismatch.


💡 Summary:
Your imports are correct, but VS Code was using the wrong Python environment.
Once you install the packages in the correct interpreter and select it in VS Code, the warnings will go away.

Reasons:
  • Blacklisted phrase (0.5): How can I
  • Blacklisted phrase (1): How can I fix this
  • RegEx Blacklisted phrase (1.5): How can I fix this?
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: İbrahim Enes ULUSOY

79734517

Date: 2025-08-13 16:14:53
Score: 1.5
Natty:
Report link

IT is not a capability issue to run AD in a conatiner but a licensing issue. Microsoft will not let you run windows in a container to support Microsoft services.

https://learn.microsoft.com/en-us/virtualization/windowscontainers/images-eula

"Use Rights. The Container Image may be used to create an isolated virtualized Windows operating system environment to which primary and significant functionality is added (“Consolidated Image”). You may use the Container Image to create, build, and run your Consolidated Image on Host Software and distribute the Container Image only as part of your Consolidated Image. Updates to the Host Software may not update the Container Image so you may re-create any Windows containers based on an updated Container Image."

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

79734514

Date: 2025-08-13 16:10:51
Score: 2
Natty:
Report link

You asked this 1 year ago so hopefully this isn't too late - you can tell Nemo to ignore individual folder zoom settings by going to Edit -> Preferences -> Behavior -> and check "Ignore per-folder view preferences" (6th option). This is on Nemo 6.4.5. However, this will mean Nemo won't remember if you zoom folders, and will always show them as default zoom. I don't know a way to actually reset the cached zoom levels for all folders to default.

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

79734507

Date: 2025-08-13 16:03:49
Score: 2.5
Natty:
Report link

With GitHub pages Jekyll works. The way you have written the markdown but for VScode you would need an extension to enhance the existing markdown renderer. You can find one such extension at https://marketplace.visualstudio.com/items?itemName=shd101wyy.markdown-preview-enhanced

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

79734502

Date: 2025-08-13 16:01:49
Score: 3
Natty:
Report link

I'm assuming this is n8n error on http request call, to fix this you need to get Review your app before you make this call

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

79734496

Date: 2025-08-13 15:56:47
Score: 2
Natty:
Report link

your code is straightforward, so the issue isn’t in the Python logic itself.

When this exact script is frozen into an .exe with PyInstaller, there are a few gotchas that apply to psycopg2 and PostgreSQL connections on Windows.

https://www.instagram.com/aniket_p_vitkar/

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

79734490

Date: 2025-08-13 15:50:45
Score: 5
Natty: 4.5
Report link

I am looking to directly run my react native web inside VS code. I am able to first start the server(which by default launches in external browser) and then manually open the url in vs code simple browser. But doing it manually is annoying so is there any way that website directly launches in vs code simple browser rather than opening in external browser?

Reasons:
  • Blacklisted phrase (1): is there any
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Chavda Sachin

79734482

Date: 2025-08-13 15:37:41
Score: 1
Natty:
Report link
vmess://eyJ0eXBlIjoibm9uZSIsImhvc3QiOiJtZy1pbm5vY2VudC1hZGp1c3Qtc2hhcGUudHJ5Y2xvdWRmbGFyZS5jb20iLCJoZWFkZXJUeXBlIjoiIiwicG9ydCI6Ijg0NDMiLCJuZXQiOiJ3cyIsImlkIjoiM2RhNWQyN2YtMDhkMC00MDc4LWY4OTAtY2Y5NTBlY2IxNzA4IiwidiI6IjIiLCJzZXJ2aWNlTmFtZSI6Im5vbmUiLCJzZWVkIjoiIiwiZnJhZ21lbnQiOiIiLCJtb2RlIjoiIiwicGF0aCI6IlwvIiwidGxzIjoidGxzIiwiYWxwbiI6IiIsImFkZCI6IjEwNC4xNi4xMjUuMzIiLCJwcyI6IvCfjqxDQU1CT0RJQS1NRVRGT05FLfCfh7jwn4esIPCfpYAiLCJmcCI6ImNocm9tZSIsInNuaSI6Im1nLWlubm9jZW50LWFkanVzdC1zaGFwZS50cnljbG91ZGZsYXJlLmNvbSIsImRldmljZUlEIjoiIiwiYWlkIjoiMCIsImV4dHJhIjoiIn0=
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Long Chhom

79734481

Date: 2025-08-13 15:37:40
Score: 8.5
Natty: 5.5
Report link

I'm working in similar case, trying to set a color Red at Date field in PO Requisition (Form), Oracle R12.13, based in a Condition in one field at Requisition Line block, using When New Item Instance event. But what I get as result is "all the rows" of Block (Grid) are in Red, rows where the Condition is false or True.

My setup on field is in Action Tab using Property = FOREGROUND_COLOR = Red color code

At that point I Can't see the SET_ITEM_INSTANCE_PROPERTY in the list of Property how the thread comments.

Can you share how to solve this ?? Appreciate that.

Reasons:
  • Blacklisted phrase (1): how to solve
  • RegEx Blacklisted phrase (2.5): Can you share how
  • RegEx Blacklisted phrase (1.5): how to solve this ??
  • Long answer (-0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Marco Rios

79734454

Date: 2025-08-13 15:12:34
Score: 3.5
Natty:
Report link

The issue is solved it was due to a knesfile.js empty file in the root created by copiolet which was creating problem after deleting it problem was solved

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

79734452

Date: 2025-08-13 15:11:33
Score: 10.5
Natty: 7.5
Report link

Is there any solution for this use case ?

Reasons:
  • Blacklisted phrase (1.5): any solution
  • Blacklisted phrase (1): Is there any
  • RegEx Blacklisted phrase (2): any solution for this use case ?
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): Is there any solution for this use
  • Low reputation (1):
Posted by: Satish ch

79734451

Date: 2025-08-13 15:10:33
Score: 4
Natty: 5
Report link

Download for Windows sdk 8.1 can be found here (just for anyone searching for an answer to this in 2025):

https://developer.microsoft.com/en-us/windows/downloads/sdk-archive/index-legacy

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Caroline M

79734450

Date: 2025-08-13 15:09:32
Score: 2.5
Natty:
Report link

you can use a free squre image tool: squareimage

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

79734431

Date: 2025-08-13 14:53:27
Score: 1
Natty:
Report link

I found it much easier to assign a class to the input field (in my case they are created dynamically).

<input
  class="d-inline texts"
  matInput
  formControlName="text"
>

Then I just applied the following pure javascript to autofocus on the last input field created:

    setTimeout(() => {
      const elementsByClassName: any = document.getElementsByClassName('texts');
      elementsByClassName.item(elementsByClassName.length - 1).focus();
    }, 0);

enter image description here

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

79734430

Date: 2025-08-13 14:51:26
Score: 4
Natty: 4
Report link

for me, my file was opened by another process, I close it and works

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

79734428

Date: 2025-08-13 14:50:25
Score: 1
Natty:
Report link

In jest setup:

const crypto = require('crypto');
Object.defineProperty(global, 'crypto', {
  value: {
    getRandomValues: (arr: any) => crypto.randomBytes(arr.length),
    subtle: {
      digest: jest.fn(),
      importKey: jest.fn(),
      sign: jest.fn(),
      verify: jest.fn(),
    },
  },
});
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Neizan Senpai

79734422

Date: 2025-08-13 14:48:25
Score: 0.5
Natty:
Report link

If you use a ProgressView inside a List, it will probably disappear when you scroll away and then back. Using .id(UUID()) did not work for me, but @desudesudesu's answer was the only one that did.

I created a custom view for this, and when you use that inside a List the problem goes away:

// Fixes SwiftUI ProgressView bug in List: reset id on disappear to avoid frozen/hidden spinner
struct ListProgressView: View {
    @State
    private var progressViewID = UUID()
    
    var body: some View {
        ProgressView()
            .id(self.progressViewID)
            .onDisappear {
                self.progressViewID = UUID()
            }
    }
}

#Preview {
    List {
        ListProgressView()
        
        ForEach(0..<100, id: \.self) {
            Text("Item \($0)")
        }
    }
}
Reasons:
  • Blacklisted phrase (1): did not work
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Atakan Yıldırım

79734420

Date: 2025-08-13 14:46:24
Score: 1.5
Natty:
Report link

So after spending lots of energy. Finally found the solution.

step 1: Go to the Toggle device toolbar

step 2: See to the top. Look for dimensions, make sure it is in Responsive.

step 3: Click the ellipsis (three dots) button within the Device Toolbar. >Select "Add device type.

step 4: A new "Device Type" dropdown will appear. Select "Desktop" from this dropdown

and voilà pain is gone.

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

79734417

Date: 2025-08-13 14:44:23
Score: 1.5
Natty:
Report link

I encountered the same problem. After the subscription in the sandbox ended, it was impossible to purchase a new one.
Solving the issue took some time… It turned out that the Grace Period feature was enabled in App Store Connect, and as stated in the documentation, during the grace period it’s not possible to purchase a subscription again.

https://developer.apple.com/documentation/storekit/reducing-involuntary-subscriber-churn

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