79689971

Date: 2025-07-04 09:47:53
Score: 0.5
Natty:
Report link

This is how you do it:

Screenshot

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • High reputation (-2):
Posted by: Bitterblue

79689970

Date: 2025-07-04 09:45:53
Score: 1
Natty:
Report link
server.use-forward-headers=true

using the above property google sign-in issue (/login?error) in scala spring-boot application has been resolve.

org.springframework.security.oauth2.core.OAuth2AuthenticationException: [invalid_redirect_uri_parameter] 
    at org.springframework.security.oauth2.client.authentication.OAuth2LoginAuthenticationProvider.authenticate(OAuth2LoginAuthenticationProvider.java:110) ~[spring-security-oauth2-client-5.1.5.RELEASE.jar:5.1.5.RELEASE]
Reasons:
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Prathamesh Khadake

79689967

Date: 2025-07-04 09:44:52
Score: 1
Natty:
Report link

Simple way - Using 'Select - action' for Columns and 'For each' - action to get combined Rows to get final Result: enter image description here

Workflow - Run Result

Workflow Description:

  1. Manual Trigger added

  2. Parse JSON - action to fetch your received data

  3. Select - action added, to fetch the columns: to read 'name'

    to read 'name' : select- range(0,length(first(outputs('Parse_JSON')?['body']?['tables'])?['columns']))
                                       map - first(outputs('Parse_JSON')?['body']?['tables'])?['columns']?[item()]?['name']
    

    4. Initialize an variable - append to get out put

    5. Added for each action to read 'rows' datas towards selected item in the earlier step

    6. Compose to get - final Primary Result

for each - first(outputs('Parse_JSON')?['body']?['tables'])?['rows']
    select - range(0,length(body('Select_column')))
    map - body('Select_column')?[item()] Vs items('For_each_rows')?[item()]
Reasons:
  • Blacklisted phrase (1): enter image description here
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Vijayamathankumar

79689963

Date: 2025-07-04 09:43:52
Score: 1
Natty:
Report link

The Python development headers are missing. The file Python.h is part of python3-dev. It must be installed, try:

python --version                 # say python 3.13
sudo apt install python3.13-dev  # install the appropriate dev package
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Karin de Groot

79689956

Date: 2025-07-04 09:36:50
Score: 2
Natty:
Report link

I was facing a similar issue because I was trying to update kafka-clients module to 3.9.1 on it's own.

I managed to get it working by forcing all modules in group org.apache.kafka to 3.9.1 instead of just kafka-clients module on it's own.

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

79689955

Date: 2025-07-04 09:34:49
Score: 1
Natty:
Report link

The error "cannot get into sync" and the subsequent related ones appear when the correct serial port is not selected. Can you check and verify the correct serial port is selected. In the IDE, you can find it in Tools-> Port . In most of the cases, /dev/ttyACM3 should be selected.

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

79689954

Date: 2025-07-04 09:34:49
Score: 1
Natty:
Report link

There is an answer on your question. In short: use the socat instead. Pros: it has no an (obligatory) time lag till it quits.

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

79689948

Date: 2025-07-04 09:30:48
Score: 1
Natty:
Report link

THIS IS NORMAL!!!

You need to use Custom definitions!

The values ​​from user properties are passed to the event only if the value is not equal to the previous one, so it turns out that if there are no changes, then user_properties is present only in the first event.

To multiply user_properties to all events when uploading to Bigquery, you need to add the desired fields from user_properties to Custom definitions

In GA4 console go to:

Admin -> Data Display -> Custom definitions -> Create custom definitions

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

79689946

Date: 2025-07-04 09:30:48
Score: 0.5
Natty:
Report link

When you have an authentication-enabled app, you must gate your Compose Navigation graph behind a “splash” or “gatekeeper” route that performs both:

  1. Local state check (are we “logged in” locally?)

  2. Server/session check (is the user’s token still valid?)

Because the Android 12+ native splash API is strictly for theming, you should:

  1. Define a SplashRoute as the first destination in your NavHost.

  2. In that composable, kick off your session‐validation logic (via a LaunchedEffect) and then navigate onward.


1. Navigation Graph

@Composable
fun AppNavGraph(startDestination: String = Screen.Splash.route) {
  NavHost(navController = navController, startDestination = startDestination) {
    composable(Screen.Splash.route) { SplashRoute(navController) }
    composable(Screen.Login.route)  { LoginRoute(navController)  }
    composable(Screen.Home.route)   { HomeRoute(navController)   }
  }
}


2. SplashRoute Composable

@Composable
fun SplashRoute(
  navController: NavController,
  viewModel: SplashViewModel = hiltViewModel()
) {
  // Collect local-login flag and session status
  val sessionState by viewModel.sessionState.collectAsState()

  // Trigger a one‑time session check
  LaunchedEffect(Unit) {
    viewModel.checkSession()
  }

  // Simple UI while we wait
  Box(Modifier.fillMaxSize(), contentAlignment = Alignment.Center) {
    CircularProgressIndicator()
  }

  // React to the result as soon as it changes
  when (sessionState) {
    SessionState.Valid   -> navController.replace(Screen.Home.route)
    SessionState.Invalid -> navController.replace(Screen.Login.route)
    SessionState.Loading -> { /* still showing spinner */ }
  }
}

NavController extension

To avoid back‑stack issues, you can define:

fun NavController.replace(route: String) {
  navigate(route) {
    popUpTo(0) { inclusive = true }
  }
}



3. SplashViewModel

@HiltViewModel
class SplashViewModel @Inject constructor(
  private val sessionRepo: SessionRepository
) : ViewModel() {

  private val _sessionState = MutableStateFlow(SessionState.Loading)
  val sessionState: StateFlow<SessionState> = _sessionState

  /** Or call this from init { … } if you prefer. */
  fun checkSession() {
    viewModelScope.launch {
      // 1) Local check
      if (!sessionRepo.isLoggedInLocally()) {
        _sessionState.value = SessionState.Invalid
        return@launch
      }

      // 2) Remote/session check
      val ok = sessionRepo.verifyServerSession()
      _sessionState.value = if (ok) SessionState.Valid else SessionState.Invalid
    }
  }
}


4. SessionRepository Pseudocode

class SessionRepository @Inject constructor(
  private val dataStore: UserDataStore,
  private val authApi: AuthApi
) {
  /** True if we have a non-null token cached locally. */
  suspend fun isLoggedInLocally(): Boolean =
    dataStore.currentAuthToken() != null

  /** Hits a “/me” or token‑refresh endpoint. */
  suspend fun verifyServerSession(): Boolean {
    return try {
      authApi.getCurrentUser().isSuccessful
    } catch (_: IOException) {
      false
    }
  }
}


Why this works

Feel free to refine the API endpoints (e.g., refresh token on 401) or to prefetch user preferences after you land on Home, but this gatekeeper pattern is the industry standard.

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): When you have an
  • Low reputation (1):
Posted by: Ajeet

79689933

Date: 2025-07-04 09:19:45
Score: 2.5
Natty:
Report link

It’s possible, but not ideal. Installing solar panels on an aging or damaged roof may lead to future complications. It’s best to assess your roof’s condition first — and often, replacing or restoring the roof before solar panel installation saves time and money in the long run.

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

79689925

Date: 2025-07-04 09:11:43
Score: 1.5
Natty:
Report link

The error "unsupported or incompatible scheme" means that the key you're trying to use for signing the quote does not have the correct signing scheme set, or is not even a signing key.

To fix this, you must create the application key with a signing scheme compatible with the TPM's quote operation, like TPM2_ALG_RSASSA or TPM2_ALG_ECDSA, and mark it as a signing key.

Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Gijs van Gelderen

79689916

Date: 2025-07-04 09:01:41
Score: 1
Natty:
Report link

Matplotlib is always plotting objects according to the order they were drawn in, not their actual position in space.

This is discussed in their FAQ, where they recommend an alternative, that is MayaVi2, and has very similar approach to Matplotlib, so you don't get too confused when switching.

You can find more information in this question, that I don't want to paraphrase just for the sake of a longer answer.

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

79689910

Date: 2025-07-04 08:55:39
Score: 2.5
Natty:
Report link

When you produce your data in that Kafka Topic, use message key like "productId" or "company/productId", this will garantee that each product will be produced in the same partition, and that will garantee for you the order of processing data of each product.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): When you
  • Low reputation (0.5):
Posted by: ahmed.ettoumi

79689903

Date: 2025-07-04 08:51:38
Score: 2
Natty:
Report link

there is no such parameter in this widget.

you should specify exact post number (id) and unfortunately telegram does not support many post types like music by its widget anymore and says see the post in telegram and it is not supported in the browser.

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

79689900

Date: 2025-07-04 08:49:37
Score: 3
Natty:
Report link

You can disable the service in cloud run function.

Just manually change the number of instance to 0

enter image description here

reference: https://cloud.google.com/run/docs/managing/services#disable

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

79689895

Date: 2025-07-04 08:44:36
Score: 0.5
Natty:
Report link

Upon reading Sandeep Ponia's answer, I went checking node-sass releases notes where I noticed my version of node was no longer compatible with the version of node-sass used by some dependencies' dependencies; I had updated to node v22.14.0 but node-sass was still running on v6.0.1 which only supports up to node v16.

A screenshot of node-sass v6.0.1 release notes which points out the compatibility table

Since it's not a direct dependency but a nested dependency, to solve this issue, I updated my package.json to override node-sass version in the devDependencies, which is a feature available since node v16:

{
    ...
    "overrides": {
        "[dependency name]": {
            "node-sass": "^9.0.0"
        },
        "node-sass": "^9.0.0"
    }
}
Reasons:
  • Probably link only (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Clockwork

79689891

Date: 2025-07-04 08:43:35
Score: 1.5
Natty:
Report link

I got this error too. Using Macos. It turned out this had to do with the ruby version in some way (I use rvm to manage the versions). This 'cannot load such file -- socket' message appeared when using ruby 2.4.2, but when I changed the used ruby version to 2.6.6, everything was installed just file.

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

79689890

Date: 2025-07-04 08:43:35
Score: 1
Natty:
Report link
import React from 'react';
import Box from '@mui/material/Box';

export default function CenteredComponent() {
  return (
    <Box
      display="flex"
      justifyContent="center"
      alignItems="center"
      minHeight="100vh"
    >
      <YourComponent />
    </Box>
  );
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Amrinder Gill

79689889

Date: 2025-07-04 08:42:35
Score: 1
Natty:
Report link

For anyone wondering about this:

The solution I found is actually quite simple. Within your node class, create an additional node subservient to the main one

...
public:
    sub_node_plan = rclcpp::Node::make_shared("subservient_planning_node");
...
private:
    std::shared_ptr<rclcpp::Node> sub_node_plan;

And define the client for this sub_node. This way you can spin the client until result is there and avoid any deadlock or threading issues.

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

79689882

Date: 2025-07-04 08:38:33
Score: 0.5
Natty:
Report link

If your table contains many overlapping dates, instead of recursively

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

79689881

Date: 2025-07-04 08:37:33
Score: 2
Natty:
Report link

To put it all toghether from @grawity answer and the Post I linked in the first Post.

  1. Clone old repo

  2. Clone new repo

  3. cd into new repo

git fetch ../oldRepo master:ancient_history
git replace --graft $(git rev-list master | tail -n 1) $(git rev-parse ancient_history)
git filter-repo --replace-refs delete-no-add --force

Then i pushed it to an newly created Repository.

Reasons:
  • Has code block (-0.5):
  • User mentioned (1): @grawity
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Jan Zimmermann

79689879

Date: 2025-07-04 08:33:32
Score: 1.5
Natty:
Report link

I tried to do the same thing using pybind11. It worked perfectly. Couldn't make it work for boost for some reason. Frustrating

Reasons:
  • Whitelisted phrase (-1): It worked
  • Low length (1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Daniil Smirnov

79689875

Date: 2025-07-04 08:30:31
Score: 0.5
Natty:
Report link

You can safely drop async/await in GetAllAsync because the method only returns EF Core’s task (return _context.Users.ToListAsync();). No code runs afterward and there’s no using/try, so you avoid the extra state-machine allocation with identical behavior. Keep async/await only when you need flow control (e.g., using, try/catch, multiple awaits).

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

79689865

Date: 2025-07-04 08:15:27
Score: 1.5
Natty:
Report link

If you can use static IP for the gateway(router) then you will have the static IPs in the network and those will not change once it where assigned.

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

79689852

Date: 2025-07-04 08:01:23
Score: 5
Natty:
Report link

Check out this guide on open source zip code databases, understanding their capabilities and limitations is crucial for making informed decisions about your location data strategy...

Reasons:
  • Blacklisted phrase (1): this guide
  • Contains signature (1):
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: GeoPostcodes

79689840

Date: 2025-07-04 07:50:19
Score: 6
Natty: 5.5
Report link

any reason why this failed in cypress?

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

79689836

Date: 2025-07-04 07:48:19
Score: 1
Natty:
Report link

HTTP provides exactly one standardized feature for partial transfers, the Range request header. If the origin ignores Range, every GET starts at byte 0 and you cannot prevent the first N bytes from being sent again. A client-side workaround does not exist because the server decides what payload to stream.

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

79689828

Date: 2025-07-04 07:43:17
Score: 3.5
Natty:
Report link

Try using LinkedIn's payload builder for more clarity on the approach to stream conversion events!

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

79689826

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

I used Box in my home screen for paginate items so I got this padding in top of navigation bottom, so I removed that and using just Lazy vertical grid, everything getting fine now!

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

79689823

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

What proved to work in our case was altering SMTP settings by directly updating SonarQube's database.

First I changed the SMTP configuration on the GUI, supplying dummy credentials for authentication. Obviously, these credentials did not work, but this allowed me to change the other SMTP-related fields.

Database connectivity settings can be found in conf/sonarqube.properties - look for property keys starting with "sonar.jdbc", such as sonar.jdbc.username, sonar.jdbc.password and sonar.jdbc.url.

What to look for in the database:

-- email-related properties
SELECT * FROM internal_properties WHERE kee LIKE 'email.%';

-- erasing credentials (2 rows)
UPDATE internal_properties SET is_empty = true, text_value = NULL WHERE kee LIKE 'email.smtp_________.secured'; 

After the DB update, I restarted the SonarQube instance. From that point, email notifications started working again (I sent a test email from the web GUI).

This is something you should do with caution. Also do a backup and have a sound plan on how to restore it if something bad happens.

Reasons:
  • Blacklisted phrase (1): did not work
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Starts with a question (0.5): What
Posted by: Attila Csipak

79689821

Date: 2025-07-04 07:39:15
Score: 6.5
Natty: 7.5
Report link

What individual permissions should i add to my SA in order to avoid using de Admin role?

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

79689808

Date: 2025-07-04 07:25:12
Score: 1
Natty:
Report link

Using chmod's SetUID to allow a regular user to execute a program with root privileges

whereis crond

chmod u+s /usr/.../crond

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

79689805

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

Formally, if it does not vary with input size, your fixed array should be considered O(1).

There are actually a couple of things to consider here. First one being that inputs are not counted towards the space complexity, only the structures you create as part of the function(s). If your array is an input to the function then it will be O(1). The second thing is actually how the array length relates to your N and Ms - does it grow with them ? If it remains fixed, as you said, then it's O(1) again, if your array has to change length based on other input sizes then it's no longer constant - at this point you should start considering it as a variable length.

Basically, to be O(1) it should be an input or if it's not - it should truly be a constant and its length should be unrelated to other lengths.

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

79689771

Date: 2025-07-04 06:53:04
Score: 2
Natty:
Report link

I found this piece of code worked for me:

nvm install node

https://www.freecodecamp.org/news/how-to-update-node-and-npm-to-the-latest-version/

Reasons:
  • Whitelisted phrase (-1): worked for me
  • Probably link only (1):
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Arnaldo Cavalcanti

79689770

Date: 2025-07-04 06:52:04
Score: 1
Natty:
Report link

A minor addition to ded32's magnificent answer: I needed to add the following declarations to make it compile:

struct _PMD
{
    __int32 mdisp;
    __int32 pdisp;
    __int32 vdisp;
};

struct CatchableTypeArray
{
    __int32 count;
    __int32 types[];
};
Reasons:
  • Blacklisted phrase (0.5): I need
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Hendrik

79689768

Date: 2025-07-04 06:51:04
Score: 1.5
Natty:
Report link

When you talk about financial cloud management the ABC of it is always tagging. So that is definitely important.

Your approach makes total sense. I would not recommend any third party applications as they always require you to spend about 1,5-3% of your total yearly cloud cost. So when you grown, you immediately need to pay them more as well.

What I would do instead, is use AWS Quicksight, they have about 9 different pre-configured dashboard that help you get all the answers you want. The best one that fits your use case of multi-cloud overview is the CUDOS dashboard.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Starts with a question (0.5): When you
  • Low reputation (1):
Posted by: Ott Salmar

79689765

Date: 2025-07-04 06:44:02
Score: 2.5
Natty:
Report link

1.First Option is adding unique Collapse id in every push notification in One Signal dashboard,
Like show in below image

-this Collapse id use for if some time show multiple push notification, so it's collapse in one single notification

enter image description here

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

79689763

Date: 2025-07-04 06:43:02
Score: 2.5
Natty:
Report link

There is a new class: `MicrometerExchangeEventNotifierNamingStrategyDefault`

So we use/extends: `MicrometerExchangeEventNotifierNamingStrategyDefault` instead of `MicrometerRoutePolicyNamingStrategy`.

Please check the example code in the "Question" under the UPDATE tag.

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

79689753

Date: 2025-07-04 06:35:00
Score: 1
Natty:
Report link

I am just encountering the same class of issue. My first approach was to maintain lists of references. An array of IDs and use the IN operator in a where constraints. You quickly come up against the issue that firestore only permits an array size of 10 when you want to recover documents having an id in your reference list.

As a workaround I am considering using splitting my list across n sublists and using seperate queries and using some rxjs to merge the results.

I thought about denromalisation but the overhead of maintenance makes it a non starter with only a small amount of data volatility.

I suspect like many others I have been seduced by the snapshot reactivity and the free tier. The querying model is extremely limiting

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

79689751

Date: 2025-07-04 06:33:59
Score: 6
Natty:
Report link

This seems to be related to the Firebase issue discussed here: https://github.com/firebase/firebase-js-sdk/issues/7584

Would the suggested workaround work for you?

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Antonis Lilis

79689747

Date: 2025-07-04 06:29:58
Score: 3.5
Natty:
Report link

That is not a pig problem just contact with me

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

79689746

Date: 2025-07-04 06:26:57
Score: 2
Natty:
Report link

En la V4, esta función ha sido sustituida por "datesRender"

https://fullcalendar.io/docs/v4/upgrading-from-v3#view-rendering

https://fullcalendar.io/docs/v4/datesRender

Donde las fechas de inicio y fin son:

datesRender: function (view, element) {  
      var startDate = view.view.activeStart;
      var endDate = view.view.activeEnd;
}
Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: elenamf86

79689738

Date: 2025-07-04 06:13:54
Score: 2
Natty:
Report link

Scala Compile server Intellj terminated unexpectedly (port: 3200, pid: 7021)

Changed Build -> Execution -> Deployment -> Compiler -> Scala Compiler

Change Incrementality type from Zinc to IDEA

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

79689725

Date: 2025-07-04 06:02:52
Score: 0.5
Natty:
Report link

What worked for me is adding this flag in gradle.properties file:

android.defaults.buildfeatures.buildconfig= true

After that I had to run build command on my console

 ./gradlew build

Please see this blog for more

Reasons:
  • Blacklisted phrase (1): this blog
  • Whitelisted phrase (-1): worked for me
  • Contains signature (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Starts with a question (0.5): What
  • High reputation (-1):
Posted by: Tonnie

79689723

Date: 2025-07-04 06:00:51
Score: 1
Natty:
Report link

As it turns out there was a wrong version number of a dependency, the team lead of the project found it later. Their dependencies were cached so it worked for some time. It is now fixed.

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

79689722

Date: 2025-07-04 05:58:50
Score: 1.5
Natty:
Report link

Class 7th part 1

Islamiyat

عنوان (غزوہ بنو قریظہ)

در ست جواب کا انتخاب کریں

: 1:غزوہ بنو قریظہ پیش آیا: ( پانچ ہجری میں )

 2:بنو قریظہ قبیلہ تھا                 (یہود کا)

3:    بنو قریظہ نے مسلمانوں سے بد عہدی کی تھی ( غزوہ خندق میں)

4:بنو قریظہ کا فیصلہ کرنے کا اختیار دیا گیا                ( حضرت سعد بن معاذ رضی اللہ تعالی عنہ)   

5: بنو قریظہ کا محاصرہ جاری رہا (پچیس دن)

مختصر جواب دیجیے : 1: بنو قریظہ کون تھے؟

ج: بنو قریظہ مدینہ کا ایک مشہور اور نہایت قدیم یہودی قبیلہ تھا۔

2: غزوہ بنو قریظہ میں مسلمان مجاہدین کی تعداد کتنی تھی ؟

 ج:   تین ہزار صحابہ کرام رضی اللہ تعالی عنہم بنو قریظہ کے علاقے میں پہنچے ۔

3: حضرت سعد بن معاذ رضی اللہ تعالی عنہ نے بنو قریظہ کا فیصلہ کس کتاب کے مطابق کیا ؟ 

ج: حضرت سعد بن معاذ رضی اللہ تعالی عنہ کا یہ فیصلہ یہود یوں کی شریعت اور ان کی آسمانی کتاب تورات کے عین مطابق تھا۔

4 : حضرت سعد بن معاذ رضی اللہ تعالی عنہ کی شہادت کیسے ہوئی ؟    

ج: حضرت سعد بن معاذ رضی اللہ تعالی عنہ غزوہ خندق کے زخموں کی تاب نہ لاتے ہوئے شہید ہوگئے ۔

5: غزوہ بنوقریظہ کا سب سے بڑا فائدہ کیا ہوا؟

ج: غزوہ بنو قریظہ کا سب سے بڑا فائدہ یہ ہوا کہ ان لوگوں کی طاقت و قوت توڑدی گئی، جو آستین کا سانپ بن کر مسلمانوں کو نقصان پہنچا رہے تھے ۔

عنوان۔ صلح حدیبیہ

درست جواب کا انتخاب کریں

1۔ ہجرت کے چھٹے سال۔ 2۔ چودہ سو۔ 3۔ حضرت عثمان غنی کو۔

4۔ دس سال۔ 5۔ دس ہزار۔

مختصر جواب دیں۔ 1۔ جواب۔ ہجرت کے چھٹے سال حضور اکرم صلی اللہ علیہ وسلم نے یہ ارادہ فرمایا کہ اپنے صحابہ کے ساتھ عمرہ ادا فرمائیں آپ 1400 صحابہ کے ساتھ مکہ مکرمہ روانہ ہوئے

2۔ جواب۔ حدیبیہ کا مقام مکہ مکرمہ کے کچھ فاصلے پر واقع ہے

3۔ جواب۔ حضرت علی بن ابی طالب رضی اللہ تعالی عنہ کو یہ اعزاز حاصل ہوا کہ وہ ان کو تحریر کریں۔

4۔ جواب۔ انہوں نے آپ صلی اللہ علیہ ہ وسلم کو مشورہ دیا کہ آپ کسی سے کچھ نہ کہیں بس اتنا کریں کہ اپنا جانور ذبح کر دیں اور کسی بلند جگہ پر بیٹھ کر حجام کو بلا کر اپنا سر منڈوا لیں۔

5۔ جواب۔ اس واقعے میں نبی اکرم صلی اللہ علیہ وسلم کے ساتھ آنے والے جان نثاروں کی تعداد 1400 تھی۔ جبکہ دو سال بعد مکہ مکرمہ کو فتح کرنے کے لیے آنے والے لشکر کی تعداد 10 ہزار کے لگ بھگ تھی۔

تفصیلی جوابات دیں۔ 2۔ جواب۔ صلح حدیبیہ کے موقع پر آپ صلی اللہ علیہ وسلم نے فرمایا علی لکھو یہ وہ معاہدہ ہے جس پر محمد صلی اللہ علیہ وسلم نے قریش کے ساتھ باہمی صلح کی۔ سہیل بن عمرو نے پھر اعتراض کیا کہ ہم آپ کو اللہ کا رسول مانتے تو پھر آپ کے ساتھ جھگڑا ہی کیا تھا۔ آپ اس کی جگہ محمد بن عبداللہ لکھیں۔ نبی اکرم صلی اللہ علیہ وسلم نے فرمایا میں بلا شبہ اللہ تعالی کا رسول ہوں تم لوگ تسلیم کرو یا نہ کرو۔ پھر آپ نے حضرت علی کو حکم دیا کہ وہ محمد بن عبداللہ ہی لکھ دیں اور محمد رسول اللہ کا لفظ مٹا دیں۔ حضرت علی رضی اللہ تعالی عنہ محمد رسول اللہ کے الفاظ لکھ چکے تھے۔ عرض کیا اے اللہ کے رسول یہ کیسے ممکن ہے کہ میں محمد رسول اللہ کا لفظ اپنے ہاتھ سے مٹا دوں اس پر نبی پاک صلی اللہ علیہ والہ وسلم نے خود اپنے دست مبارک سے یہ لفظ مٹا دیا۔

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • No latin characters (2):
  • Low reputation (1):
Posted by: Irfanjutt

79689719

Date: 2025-07-04 05:54:48
Score: 6
Natty: 5
Report link

I have a similar problem, where the dropdowns like Hotels, Restaurants, etc can be selected and the output from map should change dynamically. All the API Keys in Google console are enabled.

Reasons:
  • Blacklisted phrase (1): I have a similar problem
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I have a similar problem
  • Single line (0.5):
  • Low reputation (1):
Posted by: Thomas Wilson Tom

79689715

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

The above ARG query will not list the APIs that you are using for Azure SQL Database. The above query shows the API that ARG (the services itself) is using to pull the data from Azure SQL Database. There is no straight forward way of finding if somewhere specific API version is used for Azure resources like Azure SQL database. These API versions are usually used within tools like Azure Bicep, TerraForm, Az CLI, Az PowerShell, etc. I see you are mentioning Az PowerShell. If you are using a fairly recent Az PowerShell version you have nothing to worry about. Version 2014-04-01 for Azure SQL database as you can see by its date is quite old and any recent (at least an year ago) version is most likely using higher version. You can check which version is used by using -Debug switch on the cmdlets. There you will see which API version is used to call the Rest API. Note that the version deprecation applies only to microsoft.sql/servers and microsoft.sql/servers/databases resource types. If you use other tools like Bicep or ARM templates in the templates for those you can easily see which version is called.

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

79689711

Date: 2025-07-04 05:46:46
Score: 0.5
Natty:
Report link
Add-WindowsCapability -Online -Name "Rsat.ActiveDirectory.DS-LDS.Tools~~~~0.0.1.0"

If none of the above works, try this..

Reasons:
  • Whitelisted phrase (-1): try this
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Sreeram Godavarthy

79689708

Date: 2025-07-04 05:41:45
Score: 1.5
Natty:
Report link

Here's a detailed explanation and corrected answer you can post on StackOverflow:


You're experiencing the issue because of a common mistake in your constructor and how you're calling the BMI calculation method. Let's walk through it step-by-step.


🔍 1. Problem in Constructor

In your Person constructor:

public Person(String userFirstName, double userHeightInches, double userWeightPounds) {
    this.firstName = firstName;
    this.heightInches = heightInches;
    this.weightPounds = weightPounds;
}

You're using the wrong variable names inside the constructor. Instead of using userFirstName, userHeightInches, and userWeightPounds, you're using firstName, heightInches, and weightPounds which are the class fields. As a result, you're assigning null and 0.0 values to your object fields.

Fix it like this:

public Person(String userFirstName, double userHeightInches, double userWeightPounds) {
    this.firstName = userFirstName;
    this.heightInches = userHeightInches;
    this.weightPounds = userWeightPounds;
}

🔍 2. Incorrect BMI Calculation Call

In your displayBMI() method, you're passing 0 for both height and weight:

double userWeightPounds = 0;
double userHeightInches = 0;

double BMI = anyPerson.calculateBMI(userWeightPounds, userHeightInches);

So you're calling the calculateBMI() method with zeros, even though the anyPerson object already has the correct height and weight.

✅ You have two options to fix this:

Option 1: Change calculateBMI() to use object fields:

Update the Person class method to:

public double calculateBMI() {
    return (this.weightPounds / (this.heightInches * this.heightInches)) * 703;
}

And then call it in displayBMI() like this:

double BMI = anyPerson.calculateBMI();

Option 2: Keep method parameters but pass actual values:

double userWeightPounds = anyPerson.getWeightPounds();
double userHeightInches = anyPerson.getHeightInches();

double BMI = anyPerson.calculateBMI(userHeightInches, userWeightPounds);

But Option 1 is cleaner and more object-oriented.


✅ Full Minimal Fixes Summary


🧪 Bonus Fix: Add BMI to the toString()

If you want to include BMI in the output string, modify your toString() like this:

@Override
public String toString() {
    double bmi = calculateBMI();
    return this.firstName + " weighs " + this.weightPounds + " lbs and is " + this.heightInches +
           " inches tall. Your BMI is " + String.format("%.2f", bmi);
}

✅ Final Output Example:

Input:

John
70
150

Output:

John weighs 150.0 lbs and is 70.0 inches tall. Your BMI is 21.52
Healthy

I have also created BMI calculator, you can check here

Reasons:
  • Blacklisted phrase (1): StackOverflow
  • Contains signature (1):
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: ToolsRiver

79689702

Date: 2025-07-04 05:37:43
Score: 0.5
Natty:
Report link

After reading some of the comments/solutions, here's a solution that suppose to work using one A tag.
Thanks @Jasper & @will

function generateLinker(){
  var tag_id = 'gtm_linker_generator';
  var cross_domain = "https://domain-b.com";

  var e = document.getElementById(tag_id);
  // create link element
  if (!e){
    var a = document.createElement('A');
    a.id = tag_id;
    a.style.display = 'none';
    a.href = cross_domain ;
    document.body.append(a);
    e = a;
  }
  e.dispatchEvent(new MouseEvent('mousedown', {bubbles: true }))
  return e.href;
}
Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Yoray

79689701

Date: 2025-07-04 05:37:43
Score: 2
Natty:
Report link

I faced a similar problem recently. The workaround i found was
1. Copy paste the table into google sheets from PPT
2. Then from google sheets copy the table and paste into excel or just work on desktop

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

79689700

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

You're seeing different outputs because a union shares the same memory for all members. When you set myUnion.floatValue = 84.0, it stores the IEEE-754 binary representation of 84.0 (hex 42A80000 = decimal 1118306304).

Accessing myUnion.intValue interprets those same bytes as an integer (yielding 1118306304), not a converted value. The (int)84.0 cast performs actual conversion (to 84).

charValue reads only the first byte of this float, not 84 or 'T'

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

79689695

Date: 2025-07-04 05:24:40
Score: 3
Natty:
Report link

Meet the same question when I going to code my stm32 program. However, it does not matter, still can make successfully.

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

79689679

Date: 2025-07-04 05:01:35
Score: 8
Natty: 6
Report link

AVFoundation doesn't support RTSP streaming, it only supports HLS.

I was trying to stream RTSP in my SwiftUI application using MobileVLCKit but I am unable to, please let me know if you have any solutions. that will be truly appreciated.

Reasons:
  • Blacklisted phrase (1): appreciated
  • Blacklisted phrase (1.5): any solution
  • RegEx Blacklisted phrase (2.5): please let me know
  • RegEx Blacklisted phrase (1): I was trying to stream RTSP in my SwiftUI application using MobileVLCKit but I am unable to, please
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Likhith K

79689673

Date: 2025-07-04 04:38:31
Score: 3.5
Natty:
Report link

They have to go to the your applications for the your application for the your application for the your application for the your for

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

79689663

Date: 2025-07-04 04:06:24
Score: 2.5
Natty:
Report link

from moviepy.editor import *

# Load the profile image with starry background

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

audio_path = "/mnt/data/islamic_nasheed_preview.mp3" # Placeholder (audio must be uploaded or replaced)

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

# Create video clip from image

clip = ImageClip(image_path, duration=10)

clip = clip.set_fps(24).resize(height=720)

# Export without audio for now (since no audio file was uploaded)

clip.write_videofile(output_path, codec="libx264", audio=False)

output_path

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

79689658

Date: 2025-07-04 04:00:23
Score: 3
Natty:
Report link

Import R exams questions into Moodle via XML format and place them in a custom question category outside the course instance.

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

79689648

Date: 2025-07-04 03:38:18
Score: 5
Natty:
Report link

yt-dlp --embed-thumbnail -f bestaudio -x --audio-format mp3 --audio-quality 320k https://youtu.be/VlOjoqnJy18

Reasons:
  • Blacklisted phrase (1): youtu.be
  • Low length (1.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: ryks

79689642

Date: 2025-07-04 03:11:12
Score: 3
Natty:
Report link

Connection reset by peer means Flutter can not connect to the app after launching. Try restarting to everything, running on the real device, updating Flutter and running

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

79689639

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

Create like 100 costumes for the numbers and your clone, then when it is time to display the number, create another variable like 'Role' for example. If role is clone,

switch costume to clone, then when making the number, have a variable for health. If role is now set to number label, switch costume to health, make it go up 20 steps depending on the size of your clone then wait 0.1 seconds and delete the number. Simple.

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

79689630

Date: 2025-07-04 02:45:07
Score: 2
Natty:
Report link

add pattern = r'\b' + re.escape(search_text) + r'\b' above data = re.sub(search_text, replace_text, data)

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

79689629

Date: 2025-07-04 02:44:07
Score: 1
Natty:
Report link

The validation occurs on the values of your attriubtes from an enum. So the expected values in this case are integers. If you want strings, use a StrEnum instead (introduced in python 3.11). You'd have something like this:

class CustomEnum(StrEnum):
    ONE = "one"
    TWO = "two"
    ...
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Spill_The_Tea

79689621

Date: 2025-07-04 02:15:01
Score: 0.5
Natty:
Report link

Will this work?
This is WordPress themes specific, it probably won't work for normal websites... I'm not sure but you can give it a try.

.container {
  display: flex;
  flex-wrap: wrap; 
  box-sizing: border-box;
}

.item {
  flex: 1 1 300px;
  max-width: 100%;
  min-width: 0; /* You did this already, right? Keep it. */
  box-sizing: border-box;
}

.item * {
  max-width: 100%;
  overflow-wrap: break-word; /* The contents might be the one causing the problem? */
  word-break: break-word;
}

.item img { /* Are there images in your code or something similar? */
  max-width: 100%;
  height: auto;
  display: block;
}

.item .wp-block { /* Look out for WordPress blocks */
  margin-left: 0;
  margin-right: 0;
}
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Albair

79689612

Date: 2025-07-04 01:56:57
Score: 0.5
Natty:
Report link

Assuming you need the value to be displayed (and not necessarily modify the value of “time”), you can implement the following code:

LocalTime time = LocalTime.now();
System.out.println( time.toString().substring( 0, 10 ) + "00";
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Marce Puente

79689607

Date: 2025-07-04 01:52:56
Score: 2
Natty:
Report link

Ah, man! The good, old, days... "vidalia"! When things were easy, and perfect..:)

https://gitlab.torproject.org/tpo/core/tor/-/blob/HEAD/src/config/torrc.sample.in

^There's an example torrc included with the project if you need to take a look!..

WHOA, I just realized all of the post dates, sorz!! :))

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

79689603

Date: 2025-07-04 01:38:53
Score: 4.5
Natty:
Report link

add SNCredentials by @autowired, used in ConductorSnCmdbTaskWorkerApplicationTests

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • User mentioned (1): @autowired
  • Single line (0.5):
  • Low reputation (1):
Posted by: su rui

79689598

Date: 2025-07-04 01:28:50
Score: 4
Natty:
Report link

Seems, here is another guy with similar problem :)

enter image description here

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

79689597

Date: 2025-07-04 01:25:49
Score: 0.5
Natty:
Report link

oopsies guys sorry, turns out if you sort on the frontend after the results, it'll appear is if you're a dummy...

getReviews() async {
    await BookReviewsController().getAllReviews(false);

    if(mounted) {
      setState(() {
        reviews = BookReviewsController.bookReviews.value;

        reviews.sort((a, b) {
          if(a.timePosted > b.timePosted) {
            return 0;
          } else {
            return 1;
          }
        });

        filteredReviews = reviews;
        isLoading = false;
      });
    }    
  }

if you have this issue, don't be a dummy, check ya code :/

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

79689585

Date: 2025-07-04 00:50:42
Score: 1
Natty:
Report link

Well not a very sophisticated solution, but I have a custom plugin in which I added a condition to add plugin for only specific modules. After that when I run the command `./gradlew dokkaHtmlMultiModule`, it creates documentation for only those modules.

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

79689583

Date: 2025-07-04 00:49:42
Score: 1
Natty:
Report link

In the on change handler of whatever you're hooking up the DatePicker with, do this:

[datePicker setNeedsLayout];
[datePicker layoutIfNeeded];
CGFloat width = [datePicker systemLayoutSizeFittingSize:UILayoutFittingCompressedSize].width;

The first two lines are needed in order for it to be the latest size and not from before the change.

Credits: developer.apple.com/forums/thread/790220

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

79689577

Date: 2025-07-04 00:37:40
Score: 4
Natty: 4
Report link

A file name can't contain any of the following characters: \ / : * ? " < > |

https://i.sstatic.net/lGPIcpa9.png

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: User

79689575

Date: 2025-07-04 00:12:34
Score: 2
Natty:
Report link

Turns out if you use:

<input type="button" onclick="function(parameters)">

instead of a button tag then it works.

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

79689562

Date: 2025-07-03 23:41:27
Score: 0.5
Natty:
Report link

It looks like {NS,UI}TextVIew's implementation of auto-correct does indeed copy custom attributes, so I've implemented option (a) above - a complete check of the incoming text against the Yata backing store. This is the only way forward I can see. I've coded it up and it works.

One wrinkle is that I have to start the check one character before WillProcessEditing's editingRange because that previous character's attributes (and YataID) might have been copied when inserting the first character.

A further wrinkle is that when changes happen to NSTextStorage, the textview sometimes moves the cursor. But it does this well after {Will,Did}ProcessEditing. Discussion and various solutions are available here, however one that works for me is to do processing in WillProcessEditing (I must do that because I might need to change the TextStorage), remember the cursor position I want, and then apply the cursor position in the TextDidChange delegate function which appears to execute very late in the various text change delegates.

Reasons:
  • Whitelisted phrase (-1): works for me
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Paul

79689555

Date: 2025-07-03 23:35:25
Score: 8.5
Natty: 4.5
Report link

Possible answer: The traffic is from a cohort that's too young.

PS. We're having this problem 4 years later... Can you help with the solution if you were able to solve it for sure?

Reasons:
  • RegEx Blacklisted phrase (1.5): solve it for sure?
  • RegEx Blacklisted phrase (3): Can you help
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: TicTac Toe

79689551

Date: 2025-07-03 23:23:22
Score: 3.5
Natty:
Report link

fixed as of version 1.8.1. see commit history between 1.8.1 and 1.8.0.

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

79689549

Date: 2025-07-03 23:21:22
Score: 2
Natty:
Report link

Thank you for your time. However, I'm sure you're aware that the information you're requesting is sensitive. I am therefore unable to make it public, as this would leave my endpoint vulnerable to denial-of-service attacks.

Nevertheless, I believe we can work with the example you provided. As you can see, the URL is correctly formatted. Once the URL endpoint is OK, the next step could be to check the secret name. You can test this by setting up a secret name and passing it through.

It's OK to do this again because I tested it using cURL.

Lastly, the important issue is that the status error code is not consistent with HTTP error codes and I can't find information about this error code.

In my experience with Hashicorp, they always take care of details like this.

Hopefully this helps to find the answer.

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Long answer (-0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Ana

79689546

Date: 2025-07-03 23:17:21
Score: 3
Natty:
Report link

Here is the Complete Deployment Guide of OSRM please go through thsis article for production level deployment.

https://medium.com/p/e5d26c47b206

Reasons:
  • Blacklisted phrase (0.5): medium.com
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Razi Wajid

79689540

Date: 2025-07-03 23:13:19
Score: 1.5
Natty:
Report link

#include <iostream>

using namespace std;

int main() {

// Print standard output

// on the screen

cout \<\< "Welcome to GFG";

return 0;

}

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

79689530

Date: 2025-07-03 22:59:16
Score: 1
Natty:
Report link

See: https://github.com/google/dfindexeddb

Google chrome uses its own comparator 'idb_cmp1' which is why regular tools like ldb won't make it. If you want to unpack data from chrome IndexedDB, do:

$ sudo apt install libsnappy-dev

Then:

pip install 'dfindexeddb[plugins]'
dfindexeddb db -s SOURCE --format chrome --use_manifest
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: n3o2k7i8ch5

79689527

Date: 2025-07-03 22:57:15
Score: 1
Natty:
Report link

Apparently, it's necessary since some newer Gradle version to specify

    buildFeatures {
        buildConfig = true
    }

in build.gradle under android section

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

79689513

Date: 2025-07-03 22:38:10
Score: 1.5
Natty:
Report link

Try deactivating all extensions except for "Python" and "Python Debugger". Restart VS Code. If this gives you the results that your were expecting, reactivate your extensions one by one to identify which one is intercepting your input statements.

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

79689512

Date: 2025-07-03 22:36:09
Score: 2.5
Natty:
Report link

Store the original author data in any variable and fetch it in frontend or store the original author in the database with custom table or custom row and fetch it with specific post id.

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

79689502

Date: 2025-07-03 22:18:05
Score: 1
Natty:
Report link

Roko C. Buljan's answer is spot on, but for the sake of completeness you might also consider adding aria labels and perhaps something like

@media (prefers-reduced-motion: reduce) {
 hamburger-menu:: before,
 hamburger-menu:: after {
    transition: none;
  }
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: gjh

79689500

Date: 2025-07-03 22:15:05
Score: 1
Natty:
Report link

See: https://github.com/google/dfindexeddb

The plyvel might not work because google chrome uses its own comparator. If you want to unpack data from chrome IndexedDB, do:

    $ sudo apt install libsnappy-dev

Then:

pip install 'dfindexeddb[plugins]'
dfindexeddb db -s SOURCE --format chrome --use_manifest
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: n3o2k7i8ch5

79689499

Date: 2025-07-03 22:14:04
Score: 2
Natty:
Report link

It likely works in Visual Studio because you are running in Debug with different environment settings. After deployment differences like web server timeouts, firewall rules or production configuration (e.g., IIS, NGINX, reverse proxies) may block or close idle connections breaking your KeepAlive logic Check deployed environment settings and logs.

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

79689495

Date: 2025-07-03 22:10:03
Score: 3
Natty:
Report link

Here is the Complete Deployment Guide of OSRM please go through thsis article for production level deployment.

https://medium.com/p/e5d26c47b206

Reasons:
  • Blacklisted phrase (0.5): medium.com
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Razi Wajid

79689469

Date: 2025-07-03 21:23:53
Score: 0.5
Natty:
Report link

How about putting some console.log in it to see what's happening:

      for (var c in p2inp) {
        console.log("Input type: "+p2inp[c].type);
        if (p2inp[c].type == "text") {
          temp = counter + count + 2;
          console.log("Temp: "+temp);
          tempor = p2inp[temp];
          console.log("Tempor: "+tempor);
          temporary = values[counter];
          console.log("Temporary: "+temporary);
          tempor.value = temporary;
          //inp[temp].setAttribute("readonly", "readonly");
          //inp[temp].setAttribute("disabled", "disabled");
          counter++;
        }
      }
    alert("The code HERE gets executed");
    console.log("removeButtons should now execute");
    removeButtons();

if it still doesn't execute but the last alert and console.log gets run then check the removeButtons() function for errors.

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Starts with a question (0.5): How
  • Low reputation (1):
Posted by: OzelotGamer

79689467

Date: 2025-07-03 21:22:52
Score: 2.5
Natty:
Report link

Late, I know, but it is easy.
For instance, one you launch conda prompt...

cd c:\ai\facefusion & conda activate facefusion3 & python facefusion.py run --open-browser

Just use "&" between commands.

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

79689466

Date: 2025-07-03 21:22:52
Score: 0.5
Natty:
Report link

The answer by M. Justin based on your own idea shows the beautiful solution to your question. I would take it without hesitation. However, you mentioned that it is wordy and that you want something briefer. So:

    LocalTime time = LocalTime.now();
    System.out.println(time);

    LocalTime inMillis = time.truncatedTo(ChronoUnit.MILLIS);
    LocalTime inTenths = inMillis.with(ChronoField.MILLI_OF_SECOND,
            inMillis.get(ChronoField.MILLI_OF_SECOND) / 100 * 100);
    System.out.println(inTenths);

Example output:

23:16:52.679457431
23:16:52.600
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Arki Silva

79689464

Date: 2025-07-03 21:18:51
Score: 0.5
Natty:
Report link

You can do it without implementing any TemporalUnit:

System.out.println(time
                .withNano((time.getNano() / 100000000) * 100000000)
                .truncatedTo(ChronoUnit.MILLIS));
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Peter Adrian

79689458

Date: 2025-07-03 21:06:48
Score: 3.5
Natty:
Report link

Restarting my computer fixed the problem

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

79689453

Date: 2025-07-03 20:57:45
Score: 3
Natty:
Report link

Most Dexie methods are asynchronous, which (in Javascript) means they'll return Promises. You'll need to use a fulfillment handler or make it synchronous to access the actual number of elements.

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

79689447

Date: 2025-07-03 20:45:42
Score: 5
Natty:
Report link

Use this method to have permanent deployment of strapi on cpanel:
https://stackoverflow.com/a/78565083/19623589

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Habib Ullah

79689446

Date: 2025-07-03 20:45:42
Score: 0.5
Natty:
Report link

You already provided the solution by using a so-called non-type template parameter

template <int x>

To my knowledge, there is currently no other way to provide constexpr parameters to a function. That is literally what non-type template parameters are for.

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

79689440

Date: 2025-07-03 20:32:39
Score: 0.5
Natty:
Report link
header 1 header 2
cell 1 cell 2
cell 3 cell 4

<script src="https://cdnjs.cloudflare.com/ajax/libs/angular.js/1.7.7/angular.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/knockout/2.0.0/knockout-min.js"></script>u
<script src="https://cdnjs.cloudflare.com/ajax/libs/d3/7.8.4/d3.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/vue/3.3.9/vue.global.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/16.8.3/umd/react.production.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/react-dom/16.8.3/umd/react-dom.production.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.6.4/jquery.min.js"></script>

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

79689436

Date: 2025-07-03 20:31:38
Score: 2.5
Natty:
Report link

In case anyone comes across this, be sure that when you added your appsettings.json file in VS its build action is set to "Content" and Copy To Output Directory is set to something other than "Do Not Copy"

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

79689433

Date: 2025-07-03 20:29:38
Score: 0.5
Natty:
Report link

I had a similar problem. I passed a "hex"-argument from python to a c-binary, i.e. 568AD6E4338BD93479C210105CD4198B, like:

subprocess.getoutput("binary.exe 568AD6E4338BD93479C210105CD4198B")

In my binary I wanted the passed argument to be stored in a uint8_t hexarray[16], but instead of char value '5' (raw hex 0x35), I needed actual raw hex value 0x5... and 32 chars make up a 16 sized uint8_t array, thus bit shifting etc..

for (i=0;i<16;i++) {
    if (argv[1][i*2]>0x40)
        hexarray[i] = ((argv[1][i*2] - 0x37) << 4);
    else 
        hexarray[i] = ((argv[1][i*2] - 0x30) << 4);
    if (argv[1][i*2+1]>0x40)
        hexarray[i] = hexarray[i] + (argv[1][i*2+1] - 0x37);
    else 
        hexarray[i] = hexarray[i] + (argv[1][i*2+1] - 0x30);

This would only work for hexstrings with upper chars.

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

79689430

Date: 2025-07-03 20:24:36
Score: 1
Natty:
Report link

For MySQL users: Regardless of how you do it (Model::truncate(), etc.), the TRUNCATE TABLE command is effectively a DDL operation (like DROP and CREATE), not a DML one like DELETE. Internally, MySQL drops and recreates the table (or at least its data file), which is why it’s much faster than DELETE. Therefore to be able to truncate the table you will need the DROP privilege on your MySQL user which is potentially overkill.

Reasons:
  • No code block (0.5):
  • Single line (0.5):
Posted by: GuruBob

79689429

Date: 2025-07-03 20:23:35
Score: 3
Natty:
Report link

Okay, so the trouble was I was including the Root Path in the url when passing in the full path, and my misunderstanding of that reclassification ID.

So formatting as

https://dev.azure.com/{myorg}/{myproject}/_apis/wit/classificationnodes/iterations/sub-node/nodeIWantToDelete?$reclassifyId={ID of Root node}&api-version=7.1

Then it works. The Root Node is assumed.. so I kept getting errors not finding the path i was putting in because I had put in the path...

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