79717910

Date: 2025-07-28 21:48:07
Score: 1.5
Natty:
Report link

You use method .copy(), but string type objects has no such method (unlike lists or some others for example). You can simply write: metadata = raw_metadata because strings are immutable. Maybe, you wait raw_metadata got other type but string - it means you are wrong about the type you get by the lines raw_metadata = doc.get('metadata', {}) or raw_metadata = doc[1] if len(doc) > 1 else {} . Also if you use metadata = {} and the next reinit it by metadata = raw_metadata.copy() it will get a type of the last initiation. You can always check all types of your variables using print(type(your_variable) or use this check in code like if type(your_variable) == ...

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Паша Иден

79717909

Date: 2025-07-28 21:48:06
Score: 4.5
Natty:
Report link

Use Office.FileDialog component.

Reasons:
  • Low length (2):
  • No code block (0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Glaucimar Faleiro

79717895

Date: 2025-07-28 21:29:02
Score: 2
Natty:
Report link

Based upon information from https://github.com/dotnet/runtime/issues/51252 and https://github.com/dotnet/designs/blob/main/accepted/2021/before_bundle_build_hook.md, using the newly proposed PrepareForBundle target, I have added the following to my .csproj file:

<PropertyGroup>
  <!-- For all build agents thus far in Azure DevOps, that is, Windows 2019, Windows 2022, Windows 2025, this has been sufficient.
  Instead of trying to dynamically construct something based on the Windows SDK version, which constantly changes for each build
  agent, we will just use this hard coded value. Note, this is a 32-bit executable. But for our purposes, it has been fine. -->
  <SignToolPath>C:\Program Files (x86)\Microsoft SDKs\ClickOnce\SignTool\signtool.exe</SignToolPath>
</PropertyGroup>

<Target Name="SignBundledFiles" BeforeTargets="GenerateSingleFileBundle" DependsOnTargets="PrepareForBundle">
  <!-- Use String.Copy as a hack to then be able to use the .Compare() method. See https://stackoverflow.com/a/23626481/8169136.
  All of the Microsoft assemblies are already signed. Exclude others as needed.
  
  This is using a self-signed code signing certificate for demonstration purposes, so this exact SignTool command won't
  work on your machine. Use your own certificate and replace the "code sign test" with your certificate's subject name. -->
  <Exec Condition="$([System.IO.Path]::GetFileName('%(FilesToBundle.Identity)').EndsWith('.dll'))
          And !$([System.String]::Copy('%(FilesToBundle.Identity)').Contains('packages\microsoft.'))
          And !$([System.String]::Copy('%(FilesToBundle.Identity)').Contains('packages\system.'))"
      Command="&quot;$(SignToolPath)&quot; sign /v /fd SHA256 /tr http://ts.ssl.com /td sha256 /n &quot;code sign test&quot; &quot;%(FilesToBundle.Identity)&quot;" />
</Target>

<Target Name="SignSelfContainedSingleFile" AfterTargets="GenerateSingleFileBundle" DependsOnTargets="SignBundledFiles">
  <!-- Finally, sign the resulting self contained single file executable. -->
  <Exec Command="&quot;C:\Program Files (x86)\Microsoft SDKs\ClickOnce\SignTool\signtool.exe&quot; sign /v /fd SHA256 /n &quot;code sign test&quot; &quot;$(PublishDir)$(AppHostFile)&quot;" />
</Target>

You can read more and see the result from this blog post:

https://productioncodeonly.wordpress.com/2025/07/28/code-signing-net-self-contained-single-file-executable/

Reasons:
  • Blacklisted phrase (1): this blog
  • Blacklisted phrase (1): stackoverflow
  • Probably link only (1):
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Kevin

79717891

Date: 2025-07-28 21:27:01
Score: 0.5
Natty:
Report link

What approach did you go with at the end?
I am asking myself this question for new navigation 3 lib...
AppNavigator in app module seems to be a must, but I think it is overkill to have FeatureXNavigator for every module.
I am leaning towards injecting AppNavigator to every composable (Screen) same like for GlobalViewModel for example.
The other thing I would like to do is to have standalone navigation module with AppNavigatorInterface, which app module will implement. The point being to easy swap out nav3 with whatever come next.

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

79717889

Date: 2025-07-28 21:25:01
Score: 0.5
Natty:
Report link

I think your problem is using an emptyDir volume for sharing between tasks. The tasks themselves are different pods which might not even run on the same node, and not different containers sharing the same pod.

See GH issue on Argo Workflow project: https://github.com/argoproj/argo-workflows/issues/3533

Can't you use a persistent volume instead? Check the documentation for clear examples: https://argo-workflows.readthedocs.io/en/latest/walk-through/volumes/
If not, then try with an emptyDir and node affinity to make sure the tasks are on the same node, as suggested in the linked GH issue

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

79717887

Date: 2025-07-28 21:19:00
Score: 2
Natty:
Report link

I encountered the same error. For me, it was because I was on an older version of React Native, and didn't have the New Arch enabled. Upgrading to the latest version and enabling the New Architecture resolved the issue for me.

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

79717883

Date: 2025-07-28 21:14:59
Score: 0.5
Natty:
Report link

Use actix_web::rt::spawn(), which does not have a Send requirement, and runs the future on the current thread:

https://docs.rs/actix-web/latest/actix_web/rt/fn.spawn.html

Any other Send futures or tasks can be spawned into different threads, and any other non-Send (!Send) futures can be spawned on the same thread, they will cooperate to share execution time.

If you need a dedicated thread for a !Send future, you can create it manually using std::thread::Builder, then use Handle::block_on() to call actix_web::rt::spawn() to run the future locally on that thread.

Here is a similar answer that covers most of that:

https://stackoverflow.com/a/75387575/4970342

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: T2345

79717875

Date: 2025-07-28 21:03:56
Score: 4.5
Natty:
Report link

Guillaume's answer was so close that I was able to fill in the missing pieces. In case anyone finds this later, summary changes:

I have it very nearly complete in Updated DB<>Fiddle.

In the last final result, I have Alice's full access and whether it is direct or under a toplevel. But I can't have a HAVING clause to filter only those toplevel = 0. Does anyone know how to do that?

Thank you all.

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (0.5): I need
  • RegEx Blacklisted phrase (2): Does anyone know
  • Long answer (-1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: user26533539

79717872

Date: 2025-07-28 21:01:55
Score: 0.5
Natty:
Report link

Well, first, these two sets aren't identical in ordering. At a glance, they flip the ordering of 'n' and 'f'.

Beyond that, while set ordering isn't guaranteed in standard sets in Python as a language, individual implementations may implement some ordering type. Whether that's a reliable contract will ultimately be a function of how much you trust that specific implementation and their promise to offer that as a stable behaviour.

Based on CPython's set, (of which the meat and potatoes of the insertion implementation lives here), it looks like there's no particular care taken to preserve any specific ordering, nor is there any specific care taken to randomize the order beyond using object hashes, which are stable for any object's lifetime and tend to be stable globally for certain special values (like integers below 256, and individual bytes from the ASCII range in string data).

The same can be said for the implementation of set's __repr__, (here), which makes no special effort to randomize or stabilize the order in which items are presented.

Emphatically, though, these are implementation details of CPython. You shouldn't rely on this unless you positively have to, and even then, I'd step back and reevaluate why you're in that position.

Reasons:
  • Blacklisted phrase (1): is there any
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: user29388154

79717867

Date: 2025-07-28 20:54:53
Score: 1.5
Natty:
Report link

npm run watch

It will rebuild on any saved change.

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

79717865

Date: 2025-07-28 20:53:53
Score: 1
Natty:
Report link

By adding a delay to the trigger (below code in the form attributes), everything worked properly with the handler being called and preventing the default behavior.

hx-trigger="submit delay:1ms"
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Xosted

79717848

Date: 2025-07-28 20:29:48
Score: 1
Natty:
Report link

The TOKEN_EXPIRED error after a day suggests that the Firebase refresh token, which is stored in localStorage on the web via browserLocalPersistence, is being lost or invalidated.

Your firebase-config.ts looks correct for setting persistence so the most probable cause is your browser's settings or an extension is clearing localStorage or site data after a period.

Start by checking your browser's privacy settings and extensions. If you can replicate the issue consistently across different browsers (or after confirming localStorage is not being cleared), then you'd need to dig deeper into the Firebase SDK's interaction with your specific environment.

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

79717838

Date: 2025-07-28 20:16:45
Score: 1
Natty:
Report link

There is a work-around to access the underlying XGB Booster:

booster = model.get_booster()
dtest = xgb.DMatrix(X_test)
y_shap = booster.predict(dtest, pred_contribs=True)
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: MonsieurWave

79717837

Date: 2025-07-28 20:14:44
Score: 1
Natty:
Report link
for (int i = 0; i <= 8; ++i) {
    System.out.println(Math.min(i, 8 - i));
}
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
Posted by: Konstantin Makarov

79717832

Date: 2025-07-28 20:10:43
Score: 1.5
Natty:
Report link

Temp mail boomlify is the best temp mail.

this is more more better then a traditional temp mail cause Boomlify is a privacy-focused temporary email platform that offers instant inbox creation, long-lasting emails, a centralized dashboard, custom domain and API support, smart inbox view, cross-device sync, multi-language UI, spam protection, live updates, and developer-friendly features like webhooks and REST APIs—all without registration.



Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Md zakir Hossain

79717828

Date: 2025-07-28 20:07:43
Score: 2.5
Natty:
Report link

Thanks to @mkrieger1 for this one, some images I used literally have over 100000 colors.... Something I NEVER expected to happen, so .getcolors() returned None. I changed the value to 100 million so I hopefully never face this problem ever again.

all_colors = main_img.getcolors(maxcolors=100000000)
Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (0.5):
  • Has code block (-0.5):
  • User mentioned (1): @mkrieger1
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Aadvik

79717817

Date: 2025-07-28 19:51:39
Score: 0.5
Natty:
Report link

Simply add

|> opt_css(css = "
     .gt_column_spanner {
           border-bottom-style: solid !important;
           border-bottom-width: 3px !important;
     }")

out

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

79717809

Date: 2025-07-28 19:44:37
Score: 1
Natty:
Report link

Yes you can wild card the path of paths of CSV files. Assuming you are sourcing them from GCS your create BQ table query would be:

CREATE OR REPLACE EXTERNAL TABLE `project.dataset.table`
OPTIONS (
  format = 'PARQUET',
  uris = ['gs://gcs_bucket_name/folder-structure/*.parquet']
);
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Siddharth Upadhyay

79717802

Date: 2025-07-28 19:37:35
Score: 1
Natty:
Report link

Very late to the party on this one, but this thread is the top google result for 'javascript identity function' so I figured I'd chime in. I'm newish to Javascript, so hopefully I'm not simply unaware of a better solution.

I find this code useful:

function identity(a) { return a }
function makeCompare(key = identity, reverse = false) {
  function compareVals(a, b) { 
    const keyA = key(a);
    const keyB = key(b);
    let result =  keyA < keyB ? -1 : keyA > keyB ? 1 : 0;
    if ( reverse ) { result *= -1 }
    return result;
  }
  return compareVals;
}

I can then sort arbitrary data structures in a tidy way:

const arrB = [ {name : "bob", age: 9}, {name : "alice", age: 7} ];
console.log(arrB.sort( makeCompare( val => { return val.age } )));
console.log(arrB.sort( makeCompare( val => { return val.age }, true)));
// output:
//  Array [Object { name: "alice", age: 7 }, Object { name: "bob", age: 9 }]
//  Array [Object { name: "bob", age: 9 }, Object { name: "alice", age: 7 }] 

Note that this is dependent on having an 'identity' function to use as the default 'key' function.

Reasons:
  • RegEx Blacklisted phrase (1.5): I'm new
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: David K. Storrs

79717796

Date: 2025-07-28 19:31:33
Score: 2
Natty:
Report link

I think that pd.cut().value_counts() is what you're looking for.

import pandas as pd
import plotly.express as px

# Example data
data = {
    "data-a": [10, 15, 10, 20, 25, 30, 15, 10, 20, 25],
    "data-b": [12, 18, 14, 22, 28, 35, 17, 13, 21, 27]
}
df = pd.DataFrame(data)


# Define bins
bin_range = range(9, 40, 5)

# Bin data
binned_data_a = pd.cut(df["data-a"], bins=bin_range).value_counts()
binned_data_b = pd.cut(df["data-b"], bins=bin_range).value_counts()
diff = binned_data_a - binned_data_b

# Plot
px.bar(
    x = bin_range[:-1], 
    y = diff.values, 
    labels={"x": "Bin start value", "y": "Difference (a - b)"}
)

histogram showing difference of A and B

Thanks to @Echedey Luis for suggesting .value_counts(). Also see docs for .cut() and .value_counts().

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Probably link only (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @Echedey
  • Low reputation (0.5):
Posted by: drchicken

79717791

Date: 2025-07-28 19:27:33
Score: 3
Natty:
Report link

The right way to do this is to open the Adaptive Card as a formula and the values like Topic.title, This will ensure that the data adaptive card is able to read the data properly.

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

79717787

Date: 2025-07-28 19:23:31
Score: 0.5
Natty:
Report link

You'll also get that response if the

sudo wg-quick down wg0

command is issued after wg is down. In that case, just run :

sudo wg-quick up wgo

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

79717780

Date: 2025-07-28 19:10:28
Score: 1.5
Natty:
Report link

Ran into a similar issue with extracting files from an iOS/iPadOS app when trying to export the .realm data from in Realm Studio to a .csv file...

Here to add that as of July 2025 using Realm Browser (an app that is no longer updated) works just as Apta says (on an Intel Mac running Sequoia 15.5).

I opened the default.realm file I was working with in Realm Browser, and was asked for a valid encryption key to open the file. Instead, I opened up a file that Realm had created in the same folder called "default.v7.backup.realm", which worked just fine. From there, it was easy to export the .csv file(s) for the class(es) of interest.

Thanks for the assist, Apta!!!

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: user888

79717777

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

This is a well-known issue.

When you’re on a Zoom call (or any other voice call app), the system automatically switches your device’s audio into communication mode which is optimized for voice, not for high-quality stereo sound.

Effects:

• Stereo gets downmixed to mono

• High/low frequencies are cut off

• Music, binaural, or special effects often get suppressed

On web there’s no way to bypass this because the browser doesn’t have access to low level audio routing. On native apps you should have more control.

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

79717771

Date: 2025-07-28 18:52:25
Score: 1.5
Natty:
Report link

It turns out that the error is as a result of lack of support for Secure Boot - so if you stop the VM - then go into settings / security and disable Secure Boot then you will be able to start the VM and complete the installation process. You can then investigate the process of enabling Secure Boot on Ubuntu - see https://wiki.ubuntu.com/UEFI/SecureBoot for more information.

Reasons:
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
Posted by: Jason Hogg - MSFT

79717760

Date: 2025-07-28 18:44:23
Score: 1.5
Natty:
Report link

when I got this error, I culd not execute npm cache clean because on evey npm execution I received the isexe error, so, what I did was uninstall nodejs and remove the /usr/lib/node_modules folder, then reinstall npm and it worked

Reasons:
  • Whitelisted phrase (-1): it worked
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): when I
  • Low reputation (0.5):
Posted by: oware

79717756

Date: 2025-07-28 18:40:22
Score: 1.5
Natty:
Report link

I needed to enable the users to send some Ethereum from their metamask wallet to the smart contract which they want to buy some tokens of via frontend. Based on metamask docs this is how one can call the send function of metamask in frontend:

window.ethereum.request({
   method: "eth_sendTransaction",
   params: [
     {
       from: metamaskWalletAddress, // The user's active address.
       to: tokenAddress, // Address of the recipient. 
           value: userDesiredAmount,
           gasLimit: "0x5028", // Customizable by the user during MetaMask confirmation.
           maxPriorityFeePerGas: "0x3b9aca00", // Customizable by the user during MetaMask confirmation.
          maxFeePerGas: "0x2540be400", // Customizable by the user during MetaMask confirmation.

         }],
    })
    .then((txHash: any) => console.log("txHash: ", txHash))
    .catch((error: any) => console.error("errorL ", error));

However, as @petr-hejda said, the token contract needs to have receive() and fallback() functions as well to be able to get the Ethereum.

Reasons:
  • Blacklisted phrase (0.5): I need
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @petr-hejda
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: user9805040

79717743

Date: 2025-07-28 18:29:20
Score: 3.5
Natty:
Report link

Firstly Remove image background to Transparent Background https://www.remove.bg/

Then go to this Website to Generate @mipmap https://www.appicon.co/ download it

then replace your old files with download files

Reasons:
  • Low length (1):
  • No code block (0.5):
  • User mentioned (1): @mipmapdownload
  • Low reputation (1):
Posted by: Ganesh Panwar

79717709

Date: 2025-07-28 17:56:12
Score: 1
Natty:
Report link
class A:
    def __init__(self, x):
        print("Calling __init__")
        self.x = x

def mynew(cls, *args, **kwargs):
    print("Calling mynew")
    return object.__new__(cls)

A.__new__ = mynew
A(10) 

A.__new__ = lambda cls, x: object.__new__(cls)
a = A(10)  
print(a.x)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Mokhtar omar

79717705

Date: 2025-07-28 17:51:11
Score: 0.5
Natty:
Report link

When you declare an array variable of a type it will only handle that type specified, it will just do an implicit type convertion, if you want to enforce the type then you must do it on the place you are using the array or you may insert using the index, since that way it is checked at save/compile time.

Local Array of String &myArray = CreateArrayRept("", 0);

&myArray.push(1); // This compiles (add member)
&myArray[2] = "1"; // This compiles (add member)
&myArray[3] = "1"; // This compiles (add member)
&myArray[4] = 1; // This doesn't
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Starts with a question (0.5): When you
  • Low reputation (1):
Posted by: Guillermo-Santos

79717697

Date: 2025-07-28 17:43:09
Score: 1.5
Natty:
Report link

I was not able to pull this strictly using google app script on account of being a novice, but did have a workaround using a combination of functions and script.

For each filterable column criteria needed on the sheet I matched resulting column numbers with arrayformulas, then matched them against against themselves to limit my column range.

Filter_Job_Return = arrayformula(filter(COLUMN(Job_Names_Range),Job_Names_Range=Job))

Filter_Date_Return = arrayformula(filter(COLUMN(Date_Support_Range),Date_Support_Range>=Date_Range_Beginning,Date_Support_Range<=Date_Range_End))

Filter_Columns_Match = ARRAYFORMULA(text(FILTER(Filter_Job_Return_Range,ISNUMBER(MATCH(Filter_Job_Return_Range,Filter_Date_Return))),"0"))

For the variable row I needed I did a similar filter to return the row number for that employee, though a similar matching logic of the columns can be adapted to rows to remove potential duplicates

Example:

Need: Job# 4, Between Dates 01/15/20xx and 03/15/20xx, Employee Name: Joe

Update Projected Hours to 15

Labels Col 2 Col 3 Col 4 Col 5
Job_Return 2 4 4 6
Date_Return 01/01/20xx 02/01/20xx 03/01/20xx 04/01/20xx
Columns_Match 3 4
Row_Return 6
Employee Names Projected Hours Projected Hours Projected Hours Projected Hours
Joe 10 10 10 10

Macro to Replace selected values:

function ReplaceProjectedHours(){
  const ss = SpreadsheetApp.getActive();
  let sheet = ss.getSheetByName("Projected Hours"); //pulls from sheet by name
  const projectedHoursPerWeek = ss.getRangeByName("Projected_Hours_per_Week").getValues();
  let row = ss.getRange("B4").getDisplayValue(); //pulls cell from upper left corner of spill array formula if multiple results are given
  let colArray = ss.getRangeByName("Filter_Columns_Match").getDisplayValues();

  //Logger.log("colArray.length:" + colArray.length);
  //Logger.log(colArray);

//https://stackoverflow.com/questions/61780876/get-x-cell-in-range-google-sheets-app-script
  for(let j = 0; j < colArray[0].length; j++) {
    if (colArray[0][j] !== "") { // Check if the cell is not empty
      sheet.getRange(row, colArray[0][j]).setValues(projectedHoursPerWeek); //sets values based on position in array of object
    }
  }
}
Labels Col 2 Col 3 Col 4 Col 5
Job_Return 2 4 4 6
Date_Return 01/01/20xx 02/01/20xx 03/01/20xx 04/01/20xx
Columns_Match 3 4
Row_Return 6
Employee Names Projected Hours Projected Hours Projected Hours Projected Hours
Joe 10 15 15 10

And the macro replaces the match cells over non-continuous ranges based on the matching criteria

Reasons:
  • Blacklisted phrase (0.5): I need
  • Blacklisted phrase (1): stackoverflow
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Cog

79717692

Date: 2025-07-28 17:38:07
Score: 3.5
Natty:
Report link

Can you please provide your complete nodejs code? I was able to use the latest 3.7 gremlin-javascript driver to execute a comparable query against my local gremlin-server populated with the sample modern graph:

const dc = new DriverRemoteConnection('ws://localhost:8182/gremlin');
const g = traversal().withRemote(dc);\
const graphTraversal = await g.V().hasLabel('person').has('age', 29).toList();
console.log(graphTraversal)

The output I received:

[
  Vertex {
    id: 1,
    label: 'person',
    properties: { name: [Array], age: [Array] }
  }
]

I was also able to use a Neptune notebook to execute a comparable query against a graph loaded with the sample air-routes data:

%%gremlin
g.V().hasLabel('airport').has('code', 'LAX')

Output:

v[13]
Reasons:
  • RegEx Blacklisted phrase (2.5): Can you please provide your
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): Can you please
  • Low reputation (1):
Posted by: Andrea

79717681

Date: 2025-07-28 17:25:05
Score: 3.5
Natty:
Report link

Maybe something changed in Jest 30, but the accepted answer is not working for me. I had to do this in my global.d.ts file.

import 'jest'

declare global {
  namespace jest {
    interface Expect {
      customMatcher(expected: string): CustomMatcherResult
    }
  }
}
Reasons:
  • RegEx Blacklisted phrase (3): not working for me
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: knueser

79717680

Date: 2025-07-28 17:18:04
Score: 3
Natty:
Report link

in Program try Test.IServer server = new Test.Server(); perhaps then you can call your MethodImpl like server.MethodImpl(params) because Interface(!) is providing your method in COM. Like calling COM from VBA - you don't care about CoClass, because you reference both COM and Class from typelib, last provides just interface for connection from which you call Method. I don't know COM providing classes. CoClass is being compiled with server, not client - you should not care about it in client.

p.s. but, frankly speaking, I have the same problem with NetSxS example with NET.Core 5.0 Reg-free COM

Reasons:
  • Blacklisted phrase (1): I have the same problem
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): I have the same problem
  • Low reputation (0.5):
Posted by: JeeyCi

79717677

Date: 2025-07-28 17:17:03
Score: 1
Natty:
Report link

There seems to be this prop for selected text, but nothing for the placeholder:

selectedTextProps={{allowFontScaling: false}}

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

79717669

Date: 2025-07-28 17:08:01
Score: 3.5
Natty:
Report link

Another way for this to not work is for C-space to be mapped to something else in your Desktop. On my Mac, C-Space was mapped Input Sources -> Select the previous input source.

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

79717666

Date: 2025-07-28 17:06:00
Score: 2
Natty:
Report link

I got a response here: https://github.com/tbroyer/gradle-errorprone-plugin/issues/125

As stated on this page: https://errorprone.info/bugpatterns, there are two categories of bug patterns - On by default and Experimental

RemoveUnusedImport is marked as Experimental, which means it’s not enabled by default.

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

79717664

Date: 2025-07-28 17:05:00
Score: 2
Natty:
Report link

Some tags cause Doxygen to fail. For example "@code". Try to simplify the documentation comments in your code and then re-run Doxygen.

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

79717656

Date: 2025-07-28 16:54:57
Score: 7.5
Natty: 7.5
Report link

any solution on this? addIndex is totally useless if you change the sorting. it is not added on 0 position (top row). thanks

Reasons:
  • Blacklisted phrase (0.5): thanks
  • Blacklisted phrase (1.5): any solution
  • RegEx Blacklisted phrase (2): any solution on this?
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: arlosmar work

79717653

Date: 2025-07-28 16:52:57
Score: 0.5
Natty:
Report link

There is always a balance to find between debugging easyness and security. Access tokens could be truncated for better safety, but as they live a few hours and are displayed at DEBUG level, this is acceptable. That said, a PR to improve that will be welcomed.

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

79717638

Date: 2025-07-28 16:36:52
Score: 2.5
Natty:
Report link

I must say that after years this issue is still there.

IDB access using index works correctly in major browsers but iOS Safari still suffers.

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

79717635

Date: 2025-07-28 16:36:52
Score: 2
Natty:
Report link

You should move also the Image instantiation in the ui.access(...) block

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

79717630

Date: 2025-07-28 16:33:51
Score: 3.5
Natty:
Report link

Installing previous versions of react-popper may solve the problem.

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

79717627

Date: 2025-07-28 16:30:50
Score: 3
Natty:
Report link
---
- name: List Local Users
  hosts: all
  gather_facts: false
  tasks:
    - name: Get local user information
      getent:
        database: passwd
      register: passwd_entries

    - name: Display local users
      debug:
        msg: "Local user: {{ item.key }}"
      loop: "{{ passwd_entries.ansible_facts.getent_passwd | dict2items }}"
      when: item.value[6] != '/usr/sbin/nologin' and item.value[6] != '/bin/false'

Can you test it this way?

Reasons:
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): Can you
  • Low reputation (1):
Posted by: bob

79717620

Date: 2025-07-28 16:23:49
Score: 2.5
Natty:
Report link

I did downgrade to node 20.12.1, as @ Sebastian Kaczmarek mentioned and it worked

Reasons:
  • Whitelisted phrase (-1): it worked
  • Low length (1.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: user834697

79717614

Date: 2025-07-28 16:17:47
Score: 0.5
Natty:
Report link

My bug when get dependencies: speech_to_text: ^7.2.0. Comment it and work!

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

79717605

Date: 2025-07-28 16:07:43
Score: 4
Natty:
Report link

Google refresh tokens can expire for a few different reasons, you can read this documentation for more information: https://developers.google.com/identity/protocols/oauth2#expiration

Reasons:
  • Blacklisted phrase (1): this document
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
Posted by: user2705223

79717595

Date: 2025-07-28 16:03:41
Score: 10
Natty: 5.5
Report link

have you find the reason behind this issue?

I'm getting the exact same error message, could you please share the resolution if you have

Reasons:
  • Blacklisted phrase (2): have you find
  • RegEx Blacklisted phrase (2.5): could you please share
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): I'm getting the exact same error
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Fernando Abel

79717594

Date: 2025-07-28 16:01:40
Score: 2
Natty:
Report link

For more guidance, see the table in this blog: https://www.influxdata.com/blog/choosing-client-library-when-developing-with-influxdb-3-0/

Reasons:
  • Blacklisted phrase (1): this blog
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Suyash

79717593

Date: 2025-07-28 16:00:40
Score: 0.5
Natty:
Report link

So for anyone else having this error, this was a doozy. In this instance, for some reason apache has created an actual file in the /etc/apache2/sites-enabled/ folder (not be be confused with the sites-available folder).  You need to delete the virtual-hosts.conf file from there:

sudo rm /etc/apache2/sites-enabled/virtual-hosts.conf

and then run:

cd /etc/apache2/sites-available

sudo a2ensite *

This will create a symbolic link in the sites-enabled folder (so it’s not longer a “real file”).

I've have no idea how this happened as I didn't even know the "sites-enabled" folder existed so certainly did put anything in there!?

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Self-answer (0.5):
  • High reputation (-1):
Posted by: Mr Fett

79717592

Date: 2025-07-28 15:57:39
Score: 0.5
Natty:
Report link

Whilst i won't accept this as the answer i'd like to point out that after further tests the last code sample below seems to return PCM data. I made a waveform visualisation and the data returned includes values range from negative to positive in a wave like structure which can be passed into an FFT window and then into an FFT calculation.

// audio file reader
reader = new Mp3FileReader(filename);
byte[] buffer = new byte[reader.Length];
int read = reader.Read(buffer, 0, buffer.Length);
pcm = new short[read / 2];
Buffer.BlockCopy(buffer, 0, pcm, 0, read);

Image of the waveform created

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

79717591

Date: 2025-07-28 15:56:39
Score: 0.5
Natty:
Report link

Here a good configuration to start and stop 2 vertx applications (which both deploy several verticles).

The commented part is for optional waiting for applications starts (we can force test to wait @beforeAll if we prefer).

<profiles>
        <!-- A profile for windows as the stop command is different -->
        <profile>
            <id>windows-integration-tests</id>
            <activation>
                <os>
                    <family>windows</family>
                </os>
            </activation>
            <build>
                <pluginManagement>
                    <plugins>
                        <plugin>
                            <groupId>org.codehaus.mojo</groupId>
                            <artifactId>properties-maven-plugin</artifactId>
                            <version>${properties-maven-plugin.version}</version>
                        </plugin>
                        <plugin>
                            <groupId>org.apache.maven.plugins</groupId>
                            <artifactId>maven-failsafe-plugin</artifactId>
                            <version>${maven-failsafe.version}</version>
                        </plugin>
                        <plugin>
                            <groupId>org.codehaus.mojo</groupId>
                            <artifactId>exec-maven-plugin</artifactId>
                            <version>${exec-maven-plugin.version}</version>
                        </plugin>

                    </plugins>
                </pluginManagement>
                <plugins>
                    <plugin>
                        <groupId>org.codehaus.mojo</groupId>
                        <artifactId>properties-maven-plugin</artifactId>
                        <executions>
                            <execution>
                                <phase>initialize</phase>
                                <goals>
                                    <goal>read-project-properties</goal>
                                </goals>
                                <configuration>
                                    <urls>
                                        <url>file:///${basedir}\src\test\resources\test-conf.properties</url>
                                    </urls>
                                </configuration>
                            </execution>
                        </executions>
                    </plugin>
                    <plugin>
                        <groupId>org.apache.maven.plugins</groupId>
                        <artifactId>maven-failsafe-plugin</artifactId>
                        <executions>
                            <execution>
                                <goals>
                                    <goal>integration-test</goal>
                                    <goal>verify</goal>
                                </goals>
                            </execution>
                        </executions>
                    </plugin>
                    <plugin>
                        <groupId>org.apache.maven.plugins</groupId>
                        <artifactId>maven-antrun-plugin</artifactId>
                        <version>1.1</version>
                        <executions>
                            <execution>
                                <phase>compile</phase>
                                <goals>
                                    <goal>run</goal>
                                </goals>
                                <configuration>
                                    <tasks>
                                        <echo>Displaying value of 'testproperty' property</echo>
                                        <echo>[testproperty] ${vortex.conf.dir}/../${vertx.hazelcast.config}</echo>
                                    </tasks>
                                </configuration>
                            </execution>
                        </executions>
                    </plugin>
                    <plugin>
                        <groupId>org.codehaus.mojo</groupId>
                        <artifactId>exec-maven-plugin</artifactId>
                        <executions>
                            <execution>
                                <id>start-core</id>
                                <phase>pre-integration-test</phase>
                                <goals>
                                    <goal>exec</goal>
                                </goals>
                                <configuration>
                                    <executable>${java.home}/bin/java</executable>
                                    <!-- optional -->
                                    <workingDirectory>${user.home}/.m2/repository/fr/edu/vortex-core/${vortex.revision}</workingDirectory>
                                    <arguments>
                                        <argument>-jar</argument>
                                        <argument>vortex-core-${vortex.revision}.jar</argument>
                                        <argument>run fr.edu.vortex.core.MainVerticle</argument>
                                        <argument>-Dconf=${vortex.conf.dir}/${vortex-core-configurationFile}</argument>
                                        <argument>-Dlogback.configurationFile=${vortex.conf.dir}/../${vortex-core-logback.configurationFile}</argument>
                                        <argument>-Dvertx.hazelcast.config=${vortex.conf.dir}/../${vertx.hazelcast.config}</argument>
                                        <argument>-Dhazelcast.logging.type=slf4j</argument>
                                        <argument>-Dvertx.logger-delegate-factory-class-name=io.vertx.core.logging.SLF4JLogDelegateFactory</argument>
                                        <argument>-cluster</argument>
                                    </arguments>
                                    <async>true</async>
                                </configuration>
                            </execution>
                            <execution>
                                <id>start-http</id>
                                <phase>pre-integration-test</phase>
                                <goals>
                                    <goal>exec</goal>
                                </goals>
                                <configuration>
                                    <executable>${java.home}/bin/java</executable>
                                    <!-- optional -->
                                    <workingDirectory>${user.home}/.m2/repository/fr/edu/vortex-http-api/${vortex.revision}</workingDirectory>
                                    <arguments>
                                        <argument>-jar</argument>
                                        <argument>vortex-http-api-${vortex.revision}.jar</argument>
                                        <argument>run fr.edu.vortex.http.api.MainVerticle</argument>
                                        <argument>-Dconf=${vortex.conf.dir}/${vortex-http-configurationFile}</argument>
                                        <argument>-Dlogback.configurationFile=${vortex.conf.dir}/../${vortex-http-logback.configurationFile}</argument>
                                        <argument>-Dvertx.hazelcast.config=${vortex.conf.dir}/../cluster.xml</argument>
                                        <argument>-Dhazelcast.logging.type=slf4j</argument>
                                        <argument>-Dvertx.logger-delegate-factory-class-name=io.vertx.core.logging.SLF4JLogDelegateFactory</argument>
                                        <argument>-Dagentlib:jdwp=transport=dt_socket,server=y,suspend=n,address=5005</argument>
                                        <argument>-cluster</argument>
                                    </arguments>
                                    <async>true</async>
                                </configuration>
                            </execution>
<!--                            <execution>-->
<!--                                <id>wait-server-up</id>-->
<!--                                <phase>pre-integration-test</phase>-->
<!--                                <goals>-->
<!--                                    <goal>java</goal>-->
<!--                                </goals>-->
<!--                                <configuration>-->
<!--                                    <mainClass>fr.edu.vortex.WaitServerUpForIntegrationTests</mainClass>-->
<!--                                    <arguments>20000</arguments>-->
<!--                                </configuration>-->
<!--                            </execution>-->
                            <execution>
                                <id>stop-http-windows</id>
                                <phase>post-integration-test</phase>
                                <goals>
                                    <goal>exec</goal>
                                </goals>
                                <configuration>
                                    <executable>wmic</executable>
                                    <!-- optional -->
                                    <workingDirectory>${project.build.directory}</workingDirectory>
                                    <arguments>
                                        <argument>process</argument>
                                        <argument>where</argument>
                                        <argument>CommandLine like '%vortex-http%' and not name='wmic.exe'
                                        </argument>
                                        <argument>delete</argument>
                                    </arguments>
                                </configuration>
                            </execution>
                            <execution>
                                <id>stop-core-windows</id>
                                <phase>post-integration-test</phase>
                                <goals>
                                    <goal>exec</goal>
                                </goals>
                                <configuration>
                                    <executable>wmic</executable>
                                    <!-- optional -->
                                    <workingDirectory>${project.build.directory}</workingDirectory>
                                    <arguments>
                                        <argument>process</argument>
                                        <argument>where</argument>
                                        <argument>CommandLine like '%vortex-core%' and not name='wmic.exe'</argument>
                                        <argument>delete</argument>
                                    </arguments>
                                </configuration>
                            </execution>
                        </executions>
                    </plugin>
                </plugins>
            </build>
        </profile>
    </profiles>

And content of property file : 
vortex.conf.dir=C:\\prive\\workspace-omogen-fichier\\conf-avec-vortex-http-simple\\conf\\vortex-conf
vortex-core-configurationFile=core.conf
vortex-core-logback.configurationFile=logback-conf\\logback-core.xml
vortex-http-configurationFile=http.conf
vortex-http-logback.configurationFile=logback-conf\\logback-http-api.xml
vortex-management-configurationFile=management.conf
vortex-management-logback.configurationFile=logback-conf\\logback-management.xml
vertx.hazelcast.config=cluster.xml
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @beforeAll
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: François F.

79717588

Date: 2025-07-28 15:55:38
Score: 2
Natty:
Report link
.parent:has(+ ul .active) {
    background: red;
}
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Mohammed Asif

79717577

Date: 2025-07-28 15:49:36
Score: 0.5
Natty:
Report link

Lucky solution is

            <label for="look-date">Choose the year and month (yyyy-MM):</label>
            <input type="month" th:field="${datePicker.lookDate}" id="look-date"/>

but it is important to change type to java.util.Date

@Data
public class DatePickerDto implements Serializable {
    @DateTimeFormat(pattern = "yyyy-MM")
    private Date lookDate; 

    private String dateFormat = "yyyy-MM";
}

How to enable html form to handle java.time.LocalDate ? 🤔 I don't know

Reasons:
  • Whitelisted phrase (-1): solution is
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: haoz

79717569

Date: 2025-07-28 15:43:34
Score: 1
Natty:
Report link

Possible issues:

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

79717560

Date: 2025-07-28 15:36:33
Score: 0.5
Natty:
Report link

You can write a helper function to perform the transformation:

function formatDate(year) {
  if (year < 0) {
    return `${Math.abs(year)} BCE`;
  } else {
    return `${year}`;
  }
}

Then, you can call the helper using, for example, formatDate(-3600) to get "3600 BCE".

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

79717544

Date: 2025-07-28 15:24:28
Score: 0.5
Natty:
Report link

Update 2025: This problem still exists, but I'm building a comprehensive solution

The core issue remains - OpenAI's API is stateless by design. You must send the entire conversation history with each request, which:

Current workarounds:

I'm building MindMirror to solve the broader memory problem:

Already working: Long-term memory across sessions

Coming soon: Short-term context management

My vision: Turn AI memory from a "rebuild it every time" problem into managed infrastructure. Handle both the immediate context issue (this thread) and the bigger "AI forgets who I am" problem.

Currently solving the long-term piece: https://usemindmirror.com

Working on the short-term context piece next. The memory problem is bigger than just conversation history - it's about making AI actually remember you and make adapt to your needs, preferences, wants etc.

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

79717540

Date: 2025-07-28 15:20:26
Score: 7
Natty: 5
Report link

How about of renaming all those tables?

Reasons:
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): How
  • Low reputation (1):
Posted by: Zlobnyfar

79717536

Date: 2025-07-28 15:16:25
Score: 1
Natty:
Report link

It seems doing "Hide copilot" in the menu really removes all AI and Copilot appearances.

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

79717528

Date: 2025-07-28 15:09:23
Score: 2.5
Natty:
Report link

So here is the answer, thank me later: You need to actively sender.ReadRTCP() and/or receiver.ReadRTCP() in a go routine loop in order to get that stats.

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

79717518

Date: 2025-07-28 15:03:22
Score: 2
Natty:
Report link

Ok, I am an IDIOT !!!

I went back and traced not only the code within this function, but step by step leading up to it. I found a line of code that removed the reference placeholder for the DOM element before the DataTables ever got called so I was trying to apply the DataTables code to a non existent DOM element!!!

Thanks to all those that replied.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Keith Clark

79717510

Date: 2025-07-28 14:58:20
Score: 3
Natty:
Report link

You could probably code a module to have an infinite space of memory that you could use as SWAP or logical hard disk partition.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Diego Rasero de la Fuente

79717508

Date: 2025-07-28 14:56:19
Score: 2.5
Natty:
Report link

This works:

wp core update-db --network
Reasons:
  • Low length (2):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Joop

79717497

Date: 2025-07-28 14:53:18
Score: 2
Natty:
Report link

I had this problem, target/classes had the .class updated, but the .war had old .class

after hours i found that MyProj/src/main/webapp/WEB-INF/class/xxx/yyy had the old classes. I just deleted it

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

79717489

Date: 2025-07-28 14:46:16
Score: 1.5
Natty:
Report link

Hope this is helpful

lazy.list <-
function(lst, elt)
{
    attach(lst)
    elt
}

this.call <- as.call(expression, lazy.list, a.lst, an.elt)

# ... 

eval(this.call)
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: izmirlig

79717463

Date: 2025-07-28 14:29:12
Score: 1
Natty:
Report link

Keycloak’s built-in Group Membership Token Mapper only includes direct user groups, not child groups.

If you want child groups included in the JWT, the easiest approach is to:

This way you keep tokens simple and handle hierarchy logic where it’s easier to maintain and customize.

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

79717459

Date: 2025-07-28 14:22:11
Score: 1.5
Natty:
Report link

I faced the same issue, what it worked to me was to change the app name and slug in the app.json file. I deleted the spaces between words and I joined the words using camelCase and it worked.

Reasons:
  • Whitelisted phrase (-1): it worked
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Anthony Guzman

79717457

Date: 2025-07-28 14:20:10
Score: 1.5
Natty:
Report link

I am afraid this cannot be done, at the moment. But there is an interesting feature request, that asks for port placement instructions, via the top, left, right and bottom keywords:

https://github.com/plantuml/plantuml/issues/1766

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

79717440

Date: 2025-07-28 14:10:07
Score: 1.5
Natty:
Report link

رومان.  
header 1 header 2
50000 20000
cell 3 cell 4




header 1
header 2


cell 1
cell 2

cell 3
cell 4
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Ataullah Momand

79717423

Date: 2025-07-28 13:52:02
Score: 4
Natty: 5
Report link

What about bypassing importing images limits

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): What
  • Low reputation (1):
Posted by: SHELL

79717416

Date: 2025-07-28 13:48:01
Score: 0.5
Natty:
Report link

You're mostly doing it right, but the Plugin Check Plugin (PCP) warning occurs because you're building the SQL string before passing it into $wpdb->prepare() — and this confuses static analyzers like Plugin Check.

Here’s the problem line:

$sql = "SELECT COUNT(*) FROM {$table1} WHERE section_course_id = %d";

$query = $db->wpdb->prepare( $sql, $post_id );

Even though $table1 is safe (likely a constant or controlled variable), tools like PCP expect everything except placeholders to be inside $wpdb->prepare() to enforce best practices.

Fix Properly

Use sprintf() to inject the table name (since placeholders cannot be used for table names), then pass the resulting query string into $wpdb->prepare() with only values substituted through placeholders.

Fixed Code:

$db = STEPUP_Database::getInstance();

$table1 = $db->tb_lp_sections;

$sql = sprintf("SELECT COUNT(*) FROM %s WHERE section_course_id = %%d", $table1);

$query = $db->wpdb->prepare($sql, $post_id);

$result = $db->wpdb->get_var($query);

Note the double percent sign (%%d) inside sprintf() which escapes %d so that it remains available for $wpdb->prepare() to process.

Why This Works

Summary

References

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

79717385

Date: 2025-07-28 13:15:53
Score: 0.5
Natty:
Report link

The issue is caused by this line in your controller:

$user = User::findOrFail($request->user);

...

$income->created_by = $user;

Here, you're assigning the entire $user model object to the created_by column, which expects an integer (user ID). Laravel is likely falling back to the authenticated user (auth()->user()->id) behind the scenes or the cast is not happening correctly, leading to the wrong ID being stored.

Fix

You should assign just the ID of the user who is creating the record, not the entire object. Also, since you're using the logged-in user to represent the creator, use auth()->id() directly:

$income->created_by = auth()->id(); // Correct way

If you're intentionally passing the user ID as a route parameter (which isn't typical for created_by fields), ensure it's an integer, not a full object:

$income->created_by = (int) $request->user;

But the best practice is to rely on the authenticated user for created_by, like this:

$income->created_by = auth()->id();

Additional Tips

Final Code Snippet:

$income = new ChurchParishionerSupportIncome();

$income->donor_id = $request->donor_user_id;

$income->cause_id = $request->cause_id;

$income->is_org_member = 1;

$income->amount = $request->amount;

$income->paid = $request->paid;

$income->balance = $request->balance;

$income->comment = $request->comment;

$income->organisation_id = $request->organisation_id;

$income->created_by = auth()->id(); // <- FIXED LINE

$income->save();

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

79717363

Date: 2025-07-28 13:00:49
Score: 0.5
Natty:
Report link

Genetic Algorithms (GAs) are a sub-class of Evolutionary Algorithms (EAs). The salient feature of GAs is that they replicate evolution by invoking a close, low-level metaphor of biological genes. If this seems obvious or redundant, remember that the theory of evolution was formulated independently of genetics!

From AI - A Modern Approach (Russel & Norvig):

Evolutionary algorithms ... are explicitly motivated by the metaphor of natural selections in biology: there is a population of individuals (states), in which the fittest (highest value) individuals produce offspring (successor states) that populate the next generation, a process called recombination.

Then later:

In genetic algorithms, each individual is a string over a finite alphabet, just as DNA is a string over the alphabet ACGT.

I certainly wasn't aware of this distinction before reading it in R&N. It makes sense to me, although I know that even experts in GAs refer to the use of continuous-value implementations of EAs such as NSGAII as 'genetic'. So I guess it's mostly a technicality.

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

79717359

Date: 2025-07-28 12:58:49
Score: 1.5
Natty:
Report link

Expo-doctor fixed the issue for me
I ran the command with expo doctor:

npx expo-doctor

then

npx expo install --check
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: favour opia

79717356

Date: 2025-07-28 12:55:48
Score: 0.5
Natty:
Report link

Assuming skillset is the name of the column containing the technologies and your table is called yourTable:

SELECT * 
FROM yourTable
WHERE skillsetLIKE '%kafka%';

However it is not advised to store data in a non-normalized fashion like your skillset column.

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

79717350

Date: 2025-07-28 12:52:47
Score: 2
Natty:
Report link

When I asked this question it was because I was developing a Package with some general functionality to help me and my then colleagues to streamline various parts of our Python development.

I have since then left the company, and have re-implemented the whole thing on my own time. This time around I ended up inheriting from the argparse.ArgumentParser class, and overriding the add_argument and parse_args methods, as well as implementing 2 of my own methods:

class JBArgumentParser(ap.ArgumentParser):
    envvars = {}

    def add_argument(self, *args, **kwargs):
                # I added a new argument to the add_argument method: envvar
                # This value is a string containing the name of the environment
                # variable to read a value from, if a value isn't passed on the
                # command line.
        envvar = kwargs.pop('envvar', None)

        res = super(JBArgumentParser, self).add_argument(*args, **kwargs)

        if envvar is not None:
            # I couldn't solve the problem, of distinguishing an optional
                        # positional argument that have been given the default value
                        # by argparse, from the same argument being passed a value
                        # equal to the default value on the command line. And since
                        # a mandatory positional argument can't get to the point
                        # where it needs to read from an environment variable, I
                        # decided to just not allow reading the value of any
                        # positional argument from an environment variable.
            if (len(res.option_strings) == 0):
                raise EJbpyArgparseEnvVarError(
                                    "Can't define an environment variable " +
                                    "for a positional argument.")
            self.envvars[res.dest] = envvar

        return res

    def parse_args(self, *args, **kwargs):
        res = super(JBArgumentParser, self).parse_args(*args, **kwargs)

        if len(self.envvars) > 0:
            self.GetEnvVals(res)

        return res

    def GetEnvVals(self, parsedCmdln):
        for a in self._actions:
            name = a.dest

            # A value in an environment variable supercedes a default
                        # value, but a value given on the command line supercedes a
                        # value from an environment variable.
            if name not in self.envvars:
                # If the attribute isn't in envvars, then there's no
                                # reason to continue, since then there's no
                                # environment variable we can get a value from.
                continue

            envVal = os.getenv(self.envvars[name])

            if (envVal is None):
                # There is no environment variable if envVal is None,
                                # so in that case we have nothing to do.
                continue

            if name not in vars(parsedCmdln):
                # The attribute hasn't been set, but has an
                                # environment variable defined, so we should just set
                                # the value from that environment variable.
                setattr(parsedCmdln, name, envVal)
                continue

            # The current attribute has an instance in the parsed command
                        # line, which is either a default value or an actual value,
                        # passed on the command line.
            val = getattr(parsedCmdln, name)

            if val is None:
                # AFAIK you can't pass a None value on the command
                                # line, so this has to be a default value.
                setattr(parsedCmdln, name, envVal)
                continue

            # We have a value for the attribute. This value can either
                        # come from a default value, or from a value passed on the
                        # command line. We need to figure out which we have, by
                        # checking if the attribute was passed on the command line.
            if val != a.default:
                # If the value of the attribute is not equal to the
                                # default value, then we didn't get the value from a
                                # default value, so in that case we don't get the
                                # value form an environment variable.
                continue

            if not self.AttrOnCmdln(a):
                                # The argument was not found among the passed
                                # arguments.
                setattr(parsedCmdln, name, envVal)

    # Check if given attribute was passed on the command line
    def AttrOnCmdln(self, arg):
        for a in sys.argv[1:]:
            # Arguments can either be long form (preceded by --), short
                        # form (preceded by -) or positional (no flag given, so not
                        # preceded by -).
            if a[0:2] == '--':
                # If a longform argument takes a value, then the
                                # option string and the value will either be
                                # separated by a space or a =.
                if '=' in a:
                    a = a.split("=")[0]
                if p in arg.option_strings:
                    return True
            elif a[0] == '-':
                # Since we have already taken care of longform
                                # arguments, we know this is a shortform argument.
                for i, c in enumerate(a[1:]):
                    optionstr = f"-{c}"
                    if optionstr in arg.option_strings:
                        return True
                    elif (((i + 1) < len(a[1:])) 
                                            and (a[1:][i + 1] == '=')) or \
                        isinstance(
                                              self._option_string_actions[optionstr],
                                                ap._StoreAction) or \
                        isinstance(
                                              self._option_string_actions[optionstr], 
                                                ap._AppendAction):
                        # We may need to test for more
                                                # classes than these two, but for now
                                                # these works. Maybe
                                                # _StoreConstAction or
                                                # _AppendConstAction?
                        # Similar to longform arguments,
                                                # shortform arguments can take values
                                                # and in the same way they can be
                                                # separated from their value by a
                                                # space, or a =, but unlike longform
                                                # arguments the value can also come
                                                # immediately after the option
                                                # string. So we need to check if the
                                                # option would take a value, and if
                                                # so ignore
                                                # the rest of the option, by getting
                                                # out of the
                        # loop.
                        break
            else:
                # This is a Positional argument. In case of a
                                # mandatory positional argument we shouldn't get to
                                # this point if it was missing (a mandatory argument
                                # can't have a default value), so in that case we
                                # know it's present. In the case of a conditional
                                # positional argument we could get here, if the
                                # argument has a default value. Or maybe if one, of
                                # multiple, positional arguments is missing?
                if isinstance(arg.nargs, str) and arg.nargs == '?':
                    # Is there any way we can distinguish between
                                        # the default value and the same value being
                                        # passed on the command line? For the time
                                        # being we are denying defining an
                                        # environment variable for any positional
                                        # argument.
                    break

        return False
Reasons:
  • Blacklisted phrase (1): help me
  • Blacklisted phrase (1): Is there any
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Starts with a question (0.5): When I as
  • Low reputation (0.5):
Posted by: Jens Bang

79717341

Date: 2025-07-28 12:48:45
Score: 3.5
Natty:
Report link

python is incorrect.Not formal. For example, python in C

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

79717339

Date: 2025-07-28 12:46:45
Score: 2.5
Natty:
Report link

Yes, TensorRT 8.6 can work with CUDA 12.4, but compatibility depends on the exact subversion and platform. Some users have reported success, though you may need to build from source or ensure matching cuDNN and driver versions. Always check the official NVIDIA compatibility matrix to confirm.

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

79717333

Date: 2025-07-28 12:40:43
Score: 2
Natty:
Report link

I also faced the simmilar issue, in my case, I had ssl certificate installed for mydomain.com but not for www.mydomain.com (I'm using certbot with nginx). after installing for www.mydomain.com it worked.

Reasons:
  • Whitelisted phrase (-1): it worked
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Mskhan

79717331

Date: 2025-07-28 12:38:43
Score: 0.5
Natty:
Report link

After checking all the possibilities now I can able to get the data based on the search parameters.

this is final working code.

client = new RestClient();

var listRequest = new RestRequest($"https://api.bexio.com/2.0/kb_order/search", Method.Post);

var searchParameters = new OrderSearchParameter[]
{
    new OrderSearchParameter 
    {
        field = "search_field",
        value = "search_value",
        criteria = "="
    }
};

var jsonValue = JsonSerializer.Serialize(searchParameters);

listRequest.AddHeader("Accept", "application/json");
listRequest.AddHeader("Authorization", $"Bearer {config.AccessToken}");
listRequest.AddHeader("Content-Type", "application/json");
listRequest.AddHeader("Content-Length", Encoding.UTF8.GetByteCount(jsonValue));

listRequest.AddBody(searchParameters, "application/json");

RestResponse listResponse = await client.ExecuteAsync(listRequest, cancellationToken);
if (!listResponse.IsSuccessful)
{
    Console.WriteLine($"API request failed: {listResponse.ErrorMessage}");
}
else if (listResponse.Content != null)
{
    // success
}

One thing missing here is limit. If I add limit it shows the error, I don't know the reason actually.

Thank you everyone!!!

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Mokshith Gowda

79717327

Date: 2025-07-28 12:36:41
Score: 4.5
Natty:
Report link

"Solved" by downgrading VS 2022 to Version 17.12.9

from

https://learn.microsoft.com/en-us/visualstudio/releases/2022/release-history#updating-your-installation-to-a-specific-release

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

79717319

Date: 2025-07-28 12:30:40
Score: 0.5
Natty:
Report link

The reason your rc is not updated in your example is because bash will create a subshell when using a pipe

One solution to your problem is to use "${PIPESTATUS[@]}"

#!/usr/bin/bash

curl --max-time 5 "https://google.com" | tee "page.html"

echo "curl return code: ${PIPESTATUS[0]}"
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: izissise

79717317

Date: 2025-07-28 12:30:40
Score: 1.5
Natty:
Report link

It's not possible to scan CPU registers without stopping the thread, which requires an STW phase.
Some GCs (e.g. SGCL for C++) avoid scanning registers entirely, but doing so requires stronger guarantees when sharing data between mutator threads — such as using atomic types or other synchronization mechanisms. Java does not enforce such guarantees by default, so scanning registers (and thus a brief STW) remains necessary.

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

79717313

Date: 2025-07-28 12:28:37
Score: 7.5
Natty: 4.5
Report link

I'm on Linux and I'm also curious about possible solutions, not just for Isaac, but for any GPU-intensive GUI applications. VGL feels quite slow, xpra is terrible, and options like VNC, noVNC, TurboVNC, etc., don't fit my needs because I don't want a full desktop environment.
Cloud gaming solutions are highly specialized and somewhat encapsulated.

Do you have any updates on this?

Reasons:
  • Blacklisted phrase (1): any updates on
  • RegEx Blacklisted phrase (2.5): Do you have any
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: randomdev

79717303

Date: 2025-07-28 12:23:36
Score: 1
Natty:
Report link

For anyone, still looking for a slim, elegant solution to this question in 2025. There is a method call_count in unittest.mock. So you can do a simple assert :

assert mock_function.call_count == 0

or

TestCase.assertEqual(mock_function.call_count, 0)

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

79717301

Date: 2025-07-28 12:22:35
Score: 2
Natty:
Report link

Spring Boot automatically handles the hibernate session for us. We dont need to manually open or close it. When we use spring data JPA methods like save() or findById(), Spring Boot starts the session, begins a transaction, does the operation, commit it, and close the session — all in background. So, we just write the code for what we want, and spring boot takes care of session management part automaticaly.

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

79717290

Date: 2025-07-28 12:07:32
Score: 3
Natty:
Report link

10 years later jmeter is still alive! Thx for hint.

This one worked for me in prepared statement:

enter image description here

Reasons:
  • Blacklisted phrase (1): Thx
  • Whitelisted phrase (-1): worked for me
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: maciek

79717289

Date: 2025-07-28 12:06:32
Score: 1
Natty:
Report link

The Condition key needs to be capatalized, e.g.:

"Condition" = {
  "BoolIfExists" = {
    "aws:MultiFactorAuthPresent" = "false"
  }
}
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: andycaine

79717286

Date: 2025-07-28 12:05:31
Score: 3
Natty:
Report link

When i am making the build of game for android in unity engine 6 so compiler throw an error which is mentioned in below how can i fix it?

"


> Configure project :unityLibrary
Variant 'debug', will keep symbols in binaries for:
  'libunity.so'
  'libil2cpp.so'
  'libmain.so'
Variant 'release', symbols will be stripped from binaries.

> Configure project :launcher
Variant 'debug', will keep symbols in binaries for:
  'libunity.so'
  'libil2cpp.so'
  'libmain.so'
Variant 'release', symbols will be stripped from binaries.

> Configure project :unityLibrary:FirebaseApp.androidlib
WARNING: minSdkVersion (23) is greater than targetSdkVersion (9) for variant "debug". Please change the values such that minSdkVersion is less than or equal to targetSdkVersion.
WARNING: minSdkVersion (23) is greater than targetSdkVersion (9) for variant "release". Please change the values such that minSdkVersion is less than or equal to targetSdkVersion.

> Configure project :unityLibrary:FirebaseCrashlytics.androidlib
WARNING: minSdkVersion (23) is greater than targetSdkVersion (9) for variant "debug". Please change the values such that minSdkVersion is less than or equal to targetSdkVersion.
WARNING: minSdkVersion (23) is greater than targetSdkVersion (9) for variant "release". Please change the values such that minSdkVersion is less than or equal to targetSdkVersion.
WARNING: We recommend using a newer Android Gradle plugin to use compileSdk = 35

This Android Gradle plugin (8.3.0) was tested up to compileSdk = 34.

You are strongly encouraged to update your project to use a newer
Android Gradle plugin that has been tested with compileSdk = 35.

If you are already using the latest version of the Android Gradle plugin,
you may need to wait until a newer version with support for compileSdk = 35 is available.

To suppress this warning, add/update
    android.suppressUnsupportedCompileSdk=35
to this project's gradle.properties.
Exception while marshalling C:\Program Files\Unity\6000.0.40f1\Editor\Data\PlaybackEngines\AndroidPlayer\SDK\build-tools\34.0.0\package.xml. Probably the SDK is read-only
Exception while marshalling C:\Program Files\Unity\6000.0.40f1\Editor\Data\PlaybackEngines\AndroidPlayer\SDK\platform-tools\package.xml. Probably the SDK is read-only
Exception while marshalling C:\Program Files\Unity\6000.0.40f1\Editor\Data\PlaybackEngines\AndroidPlayer\SDK\platforms\android-33\package.xml. Probably the SDK is read-only
Exception while marshalling C:\Program Files\Unity\6000.0.40f1\Editor\Data\PlaybackEngines\AndroidPlayer\SDK\platforms\android-34\package.xml. Probably the SDK is read-only
Exception while marshalling C:\Program Files\Unity\6000.0.40f1\Editor\Data\PlaybackEngines\AndroidPlayer\SDK\platforms\android-35\package.xml. Probably the SDK is read-only
Exception while marshalling C:\Program Files\Unity\6000.0.40f1\Editor\Data\PlaybackEngines\AndroidPlayer\SDK\tools\package.xml. Probably the SDK is read-only
Exception while marshalling C:\Program Files\Unity\6000.0.40f1\Editor\Data\PlaybackEngines\AndroidPlayer\SDK\build-tools\34.0.0\package.xml. Probably the SDK is read-only
Exception while marshalling C:\Program Files\Unity\6000.0.40f1\Editor\Data\PlaybackEngines\AndroidPlayer\SDK\platform-tools\package.xml. Probably the SDK is read-only
Exception while marshalling C:\Program Files\Unity\6000.0.40f1\Editor\Data\PlaybackEngines\AndroidPlayer\SDK\platforms\android-33\package.xml. Probably the SDK is read-only
Exception while marshalling C:\Program Files\Unity\6000.0.40f1\Editor\Data\PlaybackEngines\AndroidPlayer\SDK\platforms\android-34\package.xml. Probably the SDK is read-only
Exception while marshalling C:\Program Files\Unity\6000.0.40f1\Editor\Data\PlaybackEngines\AndroidPlayer\SDK\platforms\android-35\package.xml. Probably the SDK is read-only
Exception while marshalling C:\Program Files\Unity\6000.0.40f1\Editor\Data\PlaybackEngines\AndroidPlayer\SDK\tools\package.xml. Probably the SDK is read-only

> Task :unityLibrary:preBuild UP-TO-DATE
> Task :unityLibrary:preReleaseBuild UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:preBuild UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:preBuild UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:preReleaseBuild UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:preBuild UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:preReleaseBuild UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:preReleaseBuild UP-TO-DATE
> Task :unityLibrary:writeReleaseAarMetadata UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:writeReleaseAarMetadata UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:writeReleaseAarMetadata UP-TO-DATE
> Task :unityLibrary:generateReleaseResValues UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:generateReleaseResValues UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:writeReleaseAarMetadata UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:generateReleaseResValues UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:generateReleaseResValues UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:generateReleaseResources UP-TO-DATE
> Task :unityLibrary:generateReleaseResources UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:generateReleaseResources UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:generateReleaseResources UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:packageReleaseResources UP-TO-DATE
> Task :unityLibrary:packageReleaseResources UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:packageReleaseResources UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:extractDeepLinksRelease UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:extractDeepLinksRelease UP-TO-DATE
> Task :unityLibrary:extractDeepLinksRelease UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:packageReleaseResources UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:extractDeepLinksRelease UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:processReleaseManifest UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:processReleaseManifest UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:compileReleaseLibraryResources UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:processReleaseManifest UP-TO-DATE
> Task :unityLibrary:processReleaseManifest UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:compileReleaseLibraryResources UP-TO-DATE
> Task :unityLibrary:compileReleaseLibraryResources UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:compileReleaseLibraryResources UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:parseReleaseLocalResources UP-TO-DATE
> Task :unityLibrary:parseReleaseLocalResources UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:generateReleaseRFile UP-TO-DATE
> Task :unityLibrary:generateReleaseRFile UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:parseReleaseLocalResources UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:javaPreCompileRelease UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:parseReleaseLocalResources UP-TO-DATE
> Task :unityLibrary:javaPreCompileRelease UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:generateReleaseRFile UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:generateReleaseRFile UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:javaPreCompileRelease UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:compileReleaseJavaWithJavac NO-SOURCE
> Task :unityLibrary:processReleaseJavaRes UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:bundleLibCompileToJarRelease UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:javaPreCompileRelease UP-TO-DATE
> Task :unityLibrary:extractProguardFiles UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:compileReleaseJavaWithJavac NO-SOURCE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:bundleLibRuntimeToJarRelease UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:bundleLibCompileToJarRelease UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:compileReleaseJavaWithJavac NO-SOURCE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:processReleaseJavaRes NO-SOURCE
> Task :unityLibrary:prepareLintJarForPublish UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:bundleLibRuntimeToJarRelease UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:createFullJarRelease UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:bundleLibCompileToJarRelease UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:extractProguardFiles UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:bundleLibRuntimeToJarRelease UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:processReleaseJavaRes NO-SOURCE
> Task :unityLibrary:FirebaseApp.androidlib:processReleaseJavaRes NO-SOURCE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:createFullJarRelease UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:extractProguardFiles UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:createFullJarRelease UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:extractProguardFiles UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:generateReleaseLintModel UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:generateReleaseLintModel UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:generateReleaseLintModel UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:prepareLintJarForPublish UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:prepareLintJarForPublish UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:prepareLintJarForPublish UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:mergeReleaseJniLibFolders UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:mergeReleaseJniLibFolders UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:mergeReleaseJniLibFolders UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:mergeReleaseNativeLibs NO-SOURCE
> Task :unityLibrary:FirebaseApp.androidlib:mergeReleaseNativeLibs NO-SOURCE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:mergeReleaseNativeLibs NO-SOURCE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:stripReleaseDebugSymbols NO-SOURCE
> Task :unityLibrary:FirebaseApp.androidlib:stripReleaseDebugSymbols NO-SOURCE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:stripReleaseDebugSymbols NO-SOURCE
> Task :unityLibrary:FirebaseApp.androidlib:copyReleaseJniLibsProjectAndLocalJars UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:copyReleaseJniLibsProjectAndLocalJars UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:extractDeepLinksForAarRelease UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:copyReleaseJniLibsProjectAndLocalJars UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:extractDeepLinksForAarRelease UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:extractDeepLinksForAarRelease UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:extractReleaseAnnotations UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:extractReleaseAnnotations UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:extractReleaseAnnotations UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:mergeReleaseGeneratedProguardFiles UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:mergeReleaseGeneratedProguardFiles UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:mergeReleaseGeneratedProguardFiles UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:mergeReleaseConsumerProguardFiles UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:mergeReleaseConsumerProguardFiles UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:mergeReleaseConsumerProguardFiles UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:mergeReleaseShaders UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:mergeReleaseShaders UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:mergeReleaseShaders UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:compileReleaseShaders NO-SOURCE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:compileReleaseShaders NO-SOURCE
> Task :unityLibrary:FirebaseApp.androidlib:generateReleaseAssets UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:compileReleaseShaders NO-SOURCE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:generateReleaseAssets UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:generateReleaseAssets UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:packageReleaseAssets UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:packageReleaseAssets UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:packageReleaseAssets UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:prepareReleaseArtProfile UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:prepareReleaseArtProfile UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:prepareReleaseArtProfile UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:mergeReleaseJavaResource UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:mergeReleaseJavaResource UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:mergeReleaseJavaResource UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:syncReleaseLibJars UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:syncReleaseLibJars UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:syncReleaseLibJars UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:bundleReleaseLocalLintAar UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:bundleReleaseLocalLintAar UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:bundleReleaseLocalLintAar UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:writeReleaseLintModelMetadata UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:writeReleaseLintModelMetadata UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:writeReleaseLintModelMetadata UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:lintVitalAnalyzeRelease UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:lintVitalAnalyzeRelease UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:lintVitalAnalyzeRelease UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:generateReleaseLintVitalModel UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:generateReleaseLintVitalModel UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:generateReleaseLintVitalModel UP-TO-DATE
> Task :unityLibrary:FirebaseApp.androidlib:copyReleaseJniLibsProjectOnly UP-TO-DATE
> Task :unityLibrary:FirebaseCrashlytics.androidlib:copyReleaseJniLibsProjectOnly UP-TO-DATE
> Task :unityLibrary:GoogleMobileAdsPlugin.androidlib:copyReleaseJniLibsProjectOnly UP-TO-DATE
> Task :launcher:preBuild UP-TO-DATE
> Task :launcher:preReleaseBuild UP-TO-DATE
> Task :launcher:javaPreCompileRelease UP-TO-DATE
> Task :launcher:checkReleaseAarMetadata UP-TO-DATE
> Task :launcher:generateReleaseResValues UP-TO-DATE
> Task :launcher:mapReleaseSourceSetPaths UP-TO-DATE
> Task :launcher:generateReleaseResources UP-TO-DATE
> Task :launcher:mergeReleaseResources UP-TO-DATE
> Task :launcher:packageReleaseResources UP-TO-DATE
> Task :launcher:parseReleaseLocalResources UP-TO-DATE
> Task :launcher:createReleaseCompatibleScreenManifests UP-TO-DATE
> Task :launcher:extractDeepLinksRelease UP-TO-DATE
> Task :launcher:processReleaseMainManifest UP-TO-DATE
> Task :launcher:processReleaseManifest UP-TO-DATE
> Task :launcher:processReleaseManifestForPackage UP-TO-DATE
> Task :launcher:processReleaseResources UP-TO-DATE
> Task :launcher:extractProguardFiles UP-TO-DATE
> Task :launcher:mergeReleaseNativeDebugMetadata NO-SOURCE
> Task :launcher:checkReleaseDuplicateClasses UP-TO-DATE
> Task :launcher:desugarReleaseFileDependencies UP-TO-DATE
> Task :launcher:mergeExtDexRelease UP-TO-DATE
> Task :launcher:mergeReleaseShaders UP-TO-DATE
> Task :launcher:compileReleaseShaders NO-SOURCE
> Task :launcher:generateReleaseAssets UP-TO-DATE
> Task :launcher:extractReleaseVersionControlInfo UP-TO-DATE
> Task :launcher:processRelease<message truncated>

"

Reasons:
  • Blacklisted phrase (0.5): how can i
  • RegEx Blacklisted phrase (1.5): how can i fix it?
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Unregistered user (0.5):
  • Starts with a question (0.5): When i am
  • Low reputation (1):
Posted by: user31162625

79717279

Date: 2025-07-28 11:56:29
Score: 3
Natty:
Report link

I faced this error during java upgrade from java 11 to java 17. More info in post :

Spring Boot Unable to Locate `javax.servlet.Filter` Class

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

79717261

Date: 2025-07-28 11:40:25
Score: 2.5
Natty:
Report link

This is not a general solution, but should work for go tools: https://github.com/u-root/gobusybox

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

79717253

Date: 2025-07-28 11:29:22
Score: 1
Natty:
Report link
  1. Consider wrapping everything inside .nav in a .container div if you plan to control width globally.

  2. For vertical centering, you could also add align-items: center; to .nav-main-cta if needed.

  3. Make sure your media queries don’t override display: flex on .nav-main-cta.

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: dna e-Store deals

79717247

Date: 2025-07-28 11:22:20
Score: 0.5
Natty:
Report link

Here motivated by the accepted answer, it might be useful to extend the function to remove both leading and trailing spaces.

Find What: ^\h+|\h+$|(\h+)
Replace With: (?{1}\t:)


If Group 1 (internal spaces) exists → Replace with \t (tab).

Else (leading/trailing spaces) → Replace with ​​nothing​​ (empty string).

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

79717226

Date: 2025-07-28 11:04:16
Score: 2
Natty:
Report link

Just to note that I'm also experiencing this error in 2025. When I follow the steps above, this is what I get after running a terraform command like apply:

│ Error: Unsupported argument

│ on main.tf line 36, in resource "google_monitoring_alert_policy" "request_count_alert":

│ 36: severity = "WARNING"

│ An argument named "severity" is not expected here.

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

79717217

Date: 2025-07-28 10:56:14
Score: 2
Natty:
Report link

.NET 8+

Starting from .NET 8 there's a new extension method available for IHttpClientBuilder - RemoveAllLoggers()

Usage:

services.AddHttpClient("minos")
    .RemoveAllLoggers()

Related GitHub issue link: [API Proposal] HttpClientFactory logging configuration

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

79717216

Date: 2025-07-28 10:55:13
Score: 4
Natty:
Report link

$('#dropdownId').val("valueToBeSelected");

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Rushikesh Baravkar

79717212

Date: 2025-07-28 10:51:12
Score: 0.5
Natty:
Report link

Presumably, you also need to install the alsa-lib-devel package which contains the ALSA development libraries.

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

79717211

Date: 2025-07-28 10:51:12
Score: 1.5
Natty:
Report link

Assuming you have a list of numpy arrays, you can concatenate them and take the sum on batched axis and finally clip the resulting numpy array in order the values summed to be maximum of 1.

resulting_arr = np.clip(np.sum(np.concatenate(list_of_arr, axis = 0), axis = 0), a_min = 0, a_max = 1)

# list_of_arr = [np.array([0, 1, 0]), np.array([0, 0, 0]), np.array([0, 1, 1])]]

# resulting_arr = np.array([0, 1, 1])

Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Mehmet Arda Eylen

79717199

Date: 2025-07-28 10:43:09
Score: 2
Natty:
Report link

You’re on the right track with Minimax and Alpha-Beta Pruning. Start by defining all valid moves for your pieces (move 1–2 cells, clone 1 cell), then implement Minimax to simulate turns and evaluate board states. Use a scoring function (e.g., +1 per AI piece, -1 per opponent) and pick the move with the best outcome. Add Alpha-Beta Pruning to optimize performance.

You can check out this article for a simplified intro to AI concepts.

Reasons:
  • Blacklisted phrase (1): this article
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Jayson Sarino

79717193

Date: 2025-07-28 10:39:08
Score: 2
Natty:
Report link

In translucent material set translucency pass to "Before DOF". Or in post process material set blendable location to "Scene Color Before Bloom" or "Scene Color After Tonemapping".

Also, if you don't need to manualy select where translucency should be composed you can disable Separate Translucency in project settings and it will be affected by post process material regardless of it's blendable location.

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