79624137

Date: 2025-05-15 20:40:57
Score: 0.5
Natty:
Report link

Side effects raised in the initial question:

  1. Declaration files sprinkled throughout the directory.
  2. Extra time in the CI build step
  3. vite-plugin-dts breaks Storybook production build.

1. Declaration files

To correct this behavior, define the declarationDir in your tsconfig.json file.

{
  "compilerOptions": {
    "declaration": true,
    "declarationDir": "./build",
  },
}

2. Extra time in the CI build step

See next step for removing dts from the Storybook build step.

3. This elaborate's [@dimava's][1] response

you can viteFinal(config){ config.plugins.shift(); return config; } as far as I undestood

//.storybook/maint.ts`

const config: StorybookConfig = {
  // ...
    async viteFinal(config) {
    const { mergeConfig } = await import('vite');
    /**
     * `storybook build` does not reconcile the path correctly for the `vite:dts` plugin and causes the
     * build to fail. By removing the plugin, storybook will successfully build.
     */
    const dtsIndex = config.plugins?.findIndex((plugin) => {
      if (plugin && typeof plugin === 'object' && 'name' in plugin && plugin.name === 'vite:dts') {
        return true;
      }
      return false;
    });

    // Remove `vite:dts` plugin from config.plugins array using the index provided in `dtsIndex`.
    if (dtsIndex !== undefined && dtsIndex !== -1) {
      config.plugins?.splice(dtsIndex, 1);
    }

    return mergeConfig(config, {
      resolve: {
        ...config.resolve,
      },
    });
  },
};


  [1]: https://stackoverflow.com/questions/76017338/prevent-creating-definition-files-d-ts-onstorybook-build-vite-react-library-p#comment134090392_76017338
Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Jared

79624134

Date: 2025-05-15 20:37:56
Score: 3
Natty:
Report link

Issue resolved after reaching to Mozilla Thunderbird, https://github.com/thunderbird/autoconfig/issues/137

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

79624129

Date: 2025-05-15 20:32:55
Score: 2
Natty:
Report link

you just need to add in .env files

HORIZON_PATH=YOUR_SUBFOLDER_NAME/horizon
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Magno K Felipe

79624124

Date: 2025-05-15 20:25:53
Score: 0.5
Natty:
Report link

%27%29%29%3b%20%64%6f%63%75%6d%65%66%74%2e%67%65%74%45%6c%65%6d%65%6e

%74%73%42%79%43%6c%61%73%73%4e%61%6d%65%28%65%76%61%6c%28%64%65%63%6f

%64%65%55%52%49%43%6f%6d%70%6f%6e%65%6e

x74%28%27%25%32%32%25%36%63%25%36%31%25%37%32%25%36%37%25%36X35%25%32%64

25%33%32%25%32%30%25%37%33%25%36%64%25%36%31%25%36%63%25%36%63%25%32%64

x25%33%32%25%32%30%25%36%33%25%36%66%25%36%63%25%37%35%25%36%64%25%36%65

X25%37%33%25%32%30%25%36%33%25%36%35%25%36%65%25%37%34%25%36%35%25%37%32

%25%35%66%25%37%37%25%36%39%25%36%65%25%36%65%25%36%35%25%37%32%25%35%66

x25x37x34%25%36%31%25%36%32%25%36%63%25%36%35%25%35%66%25%36%32%25%36%66

%25%37%38%25%32%30%25%36%32%25%36%31%25%36%63%25%36%31%25%36%65%25%36%33

%25%36%35%25%35%66%25%36%31%25%36%36%25%37%34%25%36%35%25%37%32%25%35%66

%25%36%32%25%36%35%25%37%34%25%35%66%25%36%33%25%36%66%25%36%63%25%37%35

x25%36%64%25%36%65%25%32%30%25%36%32%25%36%32%25%35%66%25%36%32%25%36%31

% 25%36%33%25%36%62%25%-16%37%25%37%32%25%36%66%25%37835%25%36%65%25%36%34

25%32%32%27%29%29%29%3%31%5d%2e%69%6e%6e%65%72%48%54%4d%4c%20%3d

B

btcscript.net

OPLAY

ROLL!

450%

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

79624119

Date: 2025-05-15 20:16:51
Score: 1.5
Natty:
Report link

With @PBulls' answer, I installed the older X13 binary. While I agree that it's not a proper fix, it gets me past the first hurdle of migrating the application to the newer server. The steps were:

p1 = "http://cran.r-project.org/src/contrib/Archive/x13binary/x13binary_1.1.39-2.tar.gz" 
install.packages(p1, repos=NULL, type="source") 
library("x13binary") 
library("seasonal")
Reasons:
  • Has code block (-0.5):
  • User mentioned (1): @PBulls'
  • Low reputation (1):
Posted by: Matamata

79624118

Date: 2025-05-15 20:14:50
Score: 2.5
Natty:
Report link

If you don't want to make your own option parser and you think Argp is really shit, I've created a library for that: Hopt.

From my point of view, Hopt is really better than Argp. I made the library for myself before making it public, because I wanted something potable and very complete (unlike Argp and Getopt).

If you want to see what it looks like : https://github.com/ohbamah/hopt/

The documentation : https://hopt-doc.fr/

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

79624110

Date: 2025-05-15 20:11:50
Score: 2.5
Natty:
Report link

Angular is a JavaScript framework for building web applications. npm, pnpm, and Yarn are tools that help manage your project’s packages, dependencies, etc.

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

79624109

Date: 2025-05-15 20:10:50
Score: 2
Natty:
Report link

Admin permissions makes sense. That looks like it should work.

Have you tried using %public%\desktop?

copy-item -Path "\\path\to\file" -Destination "%Public%\Desktop"

Reasons:
  • Whitelisted phrase (-1): Have you tried
  • Low length (1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: GarudaLead

79624100

Date: 2025-05-15 20:04:48
Score: 3.5
Natty:
Report link

Does not work, you have to use a subdermal array information systems and add a vatov systems to support the information overload

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

79624099

Date: 2025-05-15 20:03:47
Score: 4.5
Natty:
Report link

Have you tried disableFullscreenUI={true}?

Reasons:
  • Whitelisted phrase (-1): Have you tried
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Has no white space (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Sanja

79624091

Date: 2025-05-15 19:55:45
Score: 9 🚩
Natty: 4.5
Report link

did you fix it? having the same exact problem here and removing cache won't help

Reasons:
  • RegEx Blacklisted phrase (3): did you fix it
  • RegEx Blacklisted phrase (1.5): fix it?
  • Low length (1.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): did you fix it
  • Low reputation (1):
Posted by: andy

79624089

Date: 2025-05-15 19:53:44
Score: 4
Natty: 5
Report link

Exact problem I had, and this answer solved it! Thanks

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: KohanJ

79624086

Date: 2025-05-15 19:51:43
Score: 10.5 🚩
Natty: 6
Report link

Did you find an answer? I have the same problem

Reasons:
  • Blacklisted phrase (1): I have the same problem
  • RegEx Blacklisted phrase (3): Did you find an answer
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): I have the same problem
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): Did you find an answer
  • Low reputation (0.5):
Posted by: PanamaBoy

79624082

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

I had the same problem but for a different reason:

I overwrote the lib folder of the new version with the lib folder of the old version, even though there was no custom lib to be copied. Making mistakes and learning.

Reasons:
  • Whitelisted phrase (-1): I had the same
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: miguel

79624071

Date: 2025-05-15 19:33:38
Score: 2.5
Natty:
Report link

To get the index number you can use {absolute_index}.
https://docs.expressionengine.com/latest/channels/entries.html#absolute_index

Reasons:
  • Whitelisted phrase (-1.5): you can use
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: reciprocityFailure

79624064

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

If you only need a Timer, you can register a DefaultMeterObservationHandler and disable the LongTaskTimer creation (see its ctor). If you use Spring Boot, it auto-configures the handler for you and lets you disable LongTaskTimer with a property.

I also think that there might be a misunderstanding here, please read the docs first. I'm mostly curious why you want to do this:

At the end of this run I would like to know the start time and end time. The completion time is to be passed to a subsequent method call.

Since with the Observation API, you should not do such a thing, these things should be done in ObservationHandlers (again, see the docs).

If you want to produce your own output and you need the start/end time for that, you can create and register a handler like this:

public class CustomHandler implements ObservationHandler<Observation.Context> {

    @Override
    public void onStart(Observation.Context context) {
        // I recommend using an enum or class instead of a String key, something that the compiler can verify
        context.put("startTime", System.nanoTime());
    }

    @Override
    public void onStop(Observation.Context context) {
        long startTime = context.getRequired("startTime");
        long stopTime = System.nanoTime();
    }

    @Override
    public boolean supportsContext(Observation.Context context) {
        return true;
    }
}

See the docs.

If you want to get this information after the Observation (not recommended), you can create and register a handler like the above (you should put stopTime into the Context in onStop) and then:

Observation observation = Observation.createNotStarted("something", observationRegistry)
observation.observe(() -> doSomething(observation));
long startTime = observation.getContextView().getRequired("startTime");
long stopTime = observation.getContextView().getRequired("stopTime");

Why would I measure it on my own or use a LongTaskTimer when the normal Timer has everything I need?

I'm afraid you are mixing your own use-case (though I'm not really sure what you are trying to do) with the use-case of the other question. There the person who asked already had a LongTaskTimer since they used DefaultMeterObservationHandler already. You don't need to, its up to you.

In the previous question it is mentioned not to use reflection to get the Timer - but why is it not public?

Because you don't need it, also you migh not even have a Timer or you might use it outside of an Observation. Timer was created long before the Observation API and I'm not aware anyone needed the internal representation of Timer.Sample so far.

Please try to explain what you are exactly trying to do since I'm afraid we have an XY problem: https://xyproblem.info

Reasons:
  • Blacklisted phrase (1.5): I would like to know
  • Blacklisted phrase (0.5): I need
  • RegEx Blacklisted phrase (1): I also think that there might be a misunderstanding here, please
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • High reputation (-1):
Posted by: Jonatan Ivanov

79624062

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

For my cases, the warning message did pop up once 'Build Succeeded'. The build is successful and all tables and views did added into my project solution. I just double checked all the table models and context file and make sure everything work well. Then you can ignore the warning. I believe the warning is just to remind you that you may have runtime error.

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

79624056

Date: 2025-05-15 19:22:36
Score: 1.5
Natty:
Report link

A pre-drop snapshot is taken before one executes DROP TABLE or DROP KEYSPACE. To avoid losing tables, don't execute these statements.

You can recover the data from this snapshot.

Reasons:
  • Low length (1):
  • No code block (0.5):
Posted by: Avi Kivity

79624053

Date: 2025-05-15 19:22:36
Score: 0.5
Natty:
Report link

As you can see, you have anyRequest().authenticated(), that means, it restricts access to only authenticated users. Your / endpoint belongs to that anyRequest(), and that's why it's restricted to authenticated users and your request is not reaching to the method level. So whatever @preAuthorize you use, it's useless. You can check the javadoc here:

/*
 * Copyright 2004, 2005, 2006 Acegi Technology Pty Limited
 *
 * Licensed under the Apache License, Version 2.0 (the "License");
 * you may not use this file except in compliance with the License.
 * You may obtain a copy of the License at
 *
 *      https://www.apache.org/licenses/LICENSE-2.0
 *
 * Unless required by applicable law or agreed to in writing, software
 * distributed under the License is distributed on an "AS IS" BASIS,
 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
 * See the License for the specific language governing permissions and
 * limitations under the License.
 */

package org.springframework.security.authentication;

import org.springframework.security.core.Authentication;

/**
 * Evaluates <code>Authentication</code> tokens
 *
 * @author Ben Alex
 */
public interface AuthenticationTrustResolver {

    /**
     * Indicates whether the passed <code>Authentication</code> token represents an
     * anonymous user. Typically the framework will call this method if it is trying to
     * decide whether an <code>AccessDeniedException</code> should result in a final
     * rejection (i.e. as would be the case if the principal was non-anonymous/fully
     * authenticated) or direct the principal to attempt actual authentication (i.e. as
     * would be the case if the <code>Authentication</code> was merely anonymous).
     * @param authentication to test (may be <code>null</code> in which case the method
     * will always return <code>false</code>)
     * @return <code>true</code> the passed authentication token represented an anonymous
     * principal, <code>false</code> otherwise
     */
    boolean isAnonymous(Authentication authentication);

    /**
     * Indicates whether the passed <code>Authentication</code> token represents user that
     * has been remembered (i.e. not a user that has been fully authenticated).
     * <p>
     * The method is provided to assist with custom <code>AccessDecisionVoter</code>s and
     * the like that you might develop. Of course, you don't need to use this method
     * either and can develop your own "trust level" hierarchy instead.
     * @param authentication to test (may be <code>null</code> in which case the method
     * will always return <code>false</code>)
     * @return <code>true</code> the passed authentication token represented a principal
     * authenticated using a remember-me token, <code>false</code> otherwise
     */
    boolean isRememberMe(Authentication authentication);

    /**
     * Indicates whether the passed <code>Authentication</code> token represents a fully
     * authenticated user (that is, neither anonymous or remember-me). This is a
     * composition of <code>isAnonymous</code> and <code>isRememberMe</code>
     * implementation
     * <p>
     * @param authentication to test (may be <code>null</code> in which case the method
     * will always return <code>false</code>)
     * @return <code>true</code> the passed authentication token represented an
     * authenticated user ({@link #isAuthenticated(Authentication)} and not
     * {@link #isRememberMe(Authentication)}, <code>false</code> otherwise
     * @since 6.1
     */
    default boolean isFullyAuthenticated(Authentication authentication) {
        return isAuthenticated(authentication) && !isRememberMe(authentication);
    }

    /**
     * Checks if the {@link Authentication} is not null, authenticated, and not anonymous.
     * @param authentication the {@link Authentication} to check.
     * @return true if the {@link Authentication} is not null,
     * {@link #isAnonymous(Authentication)} returns false, &
     * {@link Authentication#isAuthenticated()} is true.
     * @since 6.1.7
     */
    default boolean isAuthenticated(Authentication authentication) {
        return authentication != null && authentication.isAuthenticated() && !isAnonymous(authentication);
    }

}

As you can see isAuthenticated(Authentication authentication) denies the anonymous user.

One thing you can do for achieving the anonymous restriction(to prevent authenticated users), you can add this:

.requestMatchers("/").anonymous()

By default, Spring Security's configuration redirects unauthorized requests to the login page for authentication. This behaviour you are facing is absolutely fine.

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

79624042

Date: 2025-05-15 19:09:33
Score: 2
Natty:
Report link

Thanks to @jqurious for getting me to an answer!

I was able to get the plugin running in parallel by forcing it through a LazyFrame and collecting with .collect(engine="streaming"). Instead of doing

df = df.with_columns(my_plugin(colname, arg))

I did

df = df.lazy().with_columns(my_plugin(colname, arg)).collect(engine="streaming")

and this worked as expected, giving me a ~30x speedup on a 32-core machine. I'm not sure if this is the way Polars intends plugins to work, but it did work.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Has code block (-0.5):
  • User mentioned (1): @jqurious
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: sclamons

79624039

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

Like someone said in your comment you can create NotAdminCheck. Best way is to have roles and permission defined for more fine control over what each role is authorised to access.

A good step by step tutorial can be found in the link - https://www.honeybadger.io/blog/laravel-permissions-roles/

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

79624034

Date: 2025-05-15 19:00:30
Score: 1.5
Natty:
Report link

@GarrettPhillips is right. The only extra steps company portal does is download the intunewin package and extract it.

I use a VM for testing installs. I copy the files and the script over to the VM, and run the powershell script. If everything installs as it should, I package it, and upload it.

If you use a custom script to detect if it installed correctly, you can also run that on the VM to validate it works as expected.

When we test from company portal, we assign the app to a specific group that only contains test accounts we use so we can verify from an end user point of view.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • User mentioned (1): @GarrettPhillips
  • Low reputation (0.5):
Posted by: GarudaLead

79624033

Date: 2025-05-15 18:58:30
Score: 1.5
Natty:
Report link

This line in de application.property is enought with Spring boot 3.4.5 and Hibernate 6.


logging.level.org.hibernate.orm.jdbc.bind=TRACE
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Jimmy Cumbicos

79624026

Date: 2025-05-15 18:53:28
Score: 1
Natty:
Report link

Another solution is changing the "when" expression of the keybind editor.action.insertLineAfter to <original> && !notebookCellFocused . This fixes the execution only in the notebook, without modifying the bind's behavior anywhere else.

enter image description here

Reasons:
  • Whitelisted phrase (-1): solution is
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: ABadHaiku

79624024

Date: 2025-05-15 18:52:28
Score: 2
Natty:
Report link

Here's how to fix the issue:

  1. Remove <scope>provided</scope> after <artifactId>tomcat-embed-jasper</artifactId> in pom.xml (thanks user5819768 and Andy Wilkinson)

  2. You should also move sayHello.jsp from /src/main/resources/META-INF/resources/WEB-INF/jsp/ to: src/main/webapp/WEB-INF/jsp/ (so that Tomcat can access it properly)

  3. Restart IntelliJ (thanks Fabian McGibbon)

  4. Maven > Execute Maven Goal > mvn clean install (thanks user5819768)

Reasons:
  • Blacklisted phrase (0.5): thanks
  • Has code block (-0.5):
  • User mentioned (1): user5819768
  • User mentioned (0): user5819768
  • Low reputation (1):
Posted by: Joel

79624017

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

I had used the 2 packages GraphQL and HotChocolate, which was the reason. It accepts one at a time, so we have to use only the HotChocolate for connecting the GraphQL server with ASP.NET.

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

79624010

Date: 2025-05-15 18:38:25
Score: 1.5
Natty:
Report link

I have found this to work:

vitest run <your_file> --coverage.enabled true --coverage.include=<your_file>
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: grizzly

79624009

Date: 2025-05-15 18:38:25
Score: 0.5
Natty:
Report link

If you got a source code of the library, then add it as direct dependency of the microservice project. Either use a module dependency or classpath.

To add a JAR file to an IntelliJ IDEA project, navigate to File > Project Structure, then select Modules and the relevant module. In the Dependencies tab, click the "+" button and choose JARs or directories, select the JAR file, and click OK. You can then view the added JAR file in the "External Libraries" folder.

Detailed Steps:

  1. Open Project Structure: Go to File > Project Structure (or press Ctrl+Alt+Shift+S).

  2. Select Module: Navigate to the Modules section and select the module you want to add the JAR to.

  3. Dependencies Tab: Open the Dependencies tab.

  4. Add JARs or directories: Click the "+" button and choose JARs or directories.

  5. Select JAR File: Locate and select the JAR file you want to add.

  6. Confirm: Click OK to add the JAR file to the module's dependencies.

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

79623999

Date: 2025-05-15 18:32:23
Score: 4.5
Natty:
Report link

If your facing the same problem , do -

  1. Close VS Code
  2. go to your project folder using ur file manager.
  3. Delete all the node_modules folders that may be present especially the where where the prisma/client is present.
Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): facing the same problem
  • Low reputation (1):
Posted by: SAIKAT MANDAL

79623993

Date: 2025-05-15 18:31:22
Score: 2.5
Natty:
Report link

That warning just means you’re still using Clerk’s dev keys, which are fine for local testing but not ideal for production. You’ll want to switch to your production keys before deploying, just grab them from your Clerk dashboard and update your config. That should clear up the warning.

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

79623992

Date: 2025-05-15 18:29:22
Score: 2.5
Natty:
Report link

Use the uuidv7() function in PostgreSQL 18 Beta for primary keys. This will be beneficial in the future when you include the primary key in a URL. This function allows you to apply an adjustable offset to the timestamp in the UUID.

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

79623986

Date: 2025-05-15 18:25:20
Score: 5.5
Natty:
Report link

I ran your code on the following versions and it worked fine.

Spring Boot Starter - 3.4.5
Hibernate ORM Hibernate Core - 6.6.15.Final

Could you elaborate on which versions you used?

Reasons:
  • Whitelisted phrase (-1): it worked
  • RegEx Blacklisted phrase (2.5): Could you elaborate
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: hyun

79623983

Date: 2025-05-15 18:23:19
Score: 2.5
Natty:
Report link

If you don't want to make your own option parser and you think Argp is really shit, I've created a library for that: Hopt. From my point of view, Hopt is really better than Argp. I made the library for myself before making it public, because I wanted something potable and very complete (unlike Argp and Getopt).

If you want to see what it looks like : https://github.com/ohbamah/hopt/ The documentation : https://hopt-doc.fr/

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

79623977

Date: 2025-05-15 18:21:19
Score: 1.5
Natty:
Report link

See the warning in this section of the Python docs. You'll want to set disable_existing_loggers=False.

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

79623966

Date: 2025-05-15 18:14:16
Score: 3.5
Natty:
Report link

К какому виду массовых мероприятий относятся митинги?

а) общественно-политические;

б) смешанные;

в) специальные;

г) организованные публично.

Силы органов внутренних дел, обеспечивающие правопорядок в общественных местах, подразделяются на:

а) основные, специальные и вспомогательные;

б) основные и дополнительные;

в) основные, дополнительные и приданные;

г) дополнительные, приданные, специальные.

О введении ограничений (запрещение движения транспорта, временный запрет продажи определенной продукции и т.д.) при проведении массовых мероприятий население извещается в срок:

а) не менее чем за 3-4 дня до дня проведения мероприятия;

б) не менее чем за 10 дней до дня проведения мероприятия;

в) не менее чем за две недели до дня проведения мероприятия;

г) не извещаются.

Деятельность ОВД по обеспечению охраны общественного порядка и общественной безопасности при проведении массовых мероприятий делится на следующие периоды (этапы):

а) подготовительный, основной, исполнительный, заключительный;

б) основной, исполнительный, заключительный;

в) вспомогательный, подготовительный, исполнительный;

г) подготовительный, исполнительный, заключительный.

Уведомление о проведении публичного мероприятия (за исключением собрания и пикетирования, проводимого одним участником) подается его организатором в письменной форме в орган исполнительной власти субъекта Российской Федерации или орган местного самоуправления в срок:

а) не ранее 15 и не позднее 10 дней до дня проведения публичного мероприятия;

б) не ранее 10 и не позднее 7 дней до дня проведения публичного мероприятия;

в) не ранее 10 и не позднее 5 дней до дня проведения публичного мероприятия;

г) не ранее 10 дней до дня проведения публичного мероприятия.

В каких случаях сотрудник полиции имеет право не предупреждать о своем намерении применить физическую силу, специальные средства или огнестрельное оружие:

а) если их применение выполняется по команде руководителя подразделения (старшего группы), в составе которого (которой) действует сотрудник полиции;

б) если промедление в их применении создает непосредственную угрозу жизни и здоровью гражданина или сотрудника полиции либо может повлечь иные тяжкие последствия;

в) федеральный закон «о полиции» не устанавливает такие случаи;

г) если их применение не создает непосредственную угрозу жизни и здоровью гражданина или сотрудника полиции либо не может повлечь другие тяжкие последствия.

Какие действия обязан выполнить сотрудник полиции в отношении гражданина, получившего телесные повреждения в результате применения физической силы, специальных средств или огнестрельного оружия?

а) незамедлительно доложить своему непосредственному начальнику (руководителю подразделения, старшему группы) об обстоятельствах произошедшего и пострадавших, в последующем действовать согласно полученным командам (приказам, поручениям);

б) вызвать соответствующую экстренную медицинскую службу, незамедлительно доложить дежурному по органу внутренних дел об обстоятельствах произошедшего, пострадавших и принятых мерах, в последующем действовать, согласно складывающейся ситуации;

в) федеральный закон «о полиции» не устанавливает особые требования для таких действий;

г) оказать первую помощь, а также принять меры по предоставлению пострадавшему медицинской помощи в возможно короткий срок.

Сотрудник полиции имеет право применять физическую силу:

а) во всех случаях, когда законом «О полиции» разрешено применение специальных средств;

б) во всех случаях, когда законом «О полиции» разрешено применение огнестрельного оружия;

в) в отношении женщин, несовершеннолетних, лиц с явными признаками инвалидности, когда законом «О полиции» запрещено применение огнестрельного оружия;

г) во всех случаях, когда законом о «О полиции» разрешено применение специальных средств или огнестрельного оружия.

Что должен учитывать сотрудник полиции при применении физической силы, специальных средств или огнестрельного оружия?

а) создавшуюся обстановку;

б) характер и степень опасности действий лиц, в отношении которых применяются физическая сила, специальные средства или огнестрельное оружие;

в) характер и силу оказываемого ими сопротивления;

г) все перечисленное.

С

Организаторами митингов и собраний  могут быть граждане, достигшие возраста:

а) 18 лет;

б) 16 лет;

в) 14 лет;

г) возраст значения не имеет.

Организатор публичного мероприятия не вправе проводить его, если:

а) болен;

б) идет дождь или снег;

в) на публичное мероприятие пришло слишком мало людей (меньше, чем предполагал организатор);

г) организатор хочет провести его в конкретном месте и в выбранное им время, но уполномоченным органом исполнительной власти согласовано для этого другое место и время.

Участники публичных мероприятий вправе:

а) использовать символику и средства агитации, не запрещенные законодательством РФ;

б) скрывать свое лицо, в том числе использовать маски, средства маскировки, или иные предметы, специально предназначенные для затруднения установления личности;

в) во время мероприятия распивать алкогольную и спиртосодержащую продукцию;

г) использовать отличительный знак (признак) представителя средств массовой информации.

Основания прекращения публичного мероприятия

а) создание реальной угрозы для жизни и здоровья граждан, а также для имущества физических и юридических лиц;

б) для участия в публичном мероприятии пришло меньше людей, чем заявлял организатор;

в) на публичное мероприятие пришли несовершеннолетние участники

г) участники мероприятия распивают алкогольную продукцию.

О введении ограничений (запрещение движения транспорта, временный запрет продажи определенной продукции и т.д.) при проведении массовых мероприятий население извещается в срок:

а) не менее чем за 3-4 дня до дня проведения мероприятия;

б) не менее чем за 10 дней до дня проведения мероприятия;

в) не менее чем за две недели до дня проведения мероприятия;

г) не извещаются.

К какому виду мер принуждения принадлежат: административное задержание, привод, личный досмотр, досмотр вещей, изъятие вещей и документов?

а) специальные меры пресечения;

б) все перечисленное не верно;

в) общие меры пресечения;

г) меры административно-процессуального обеспечения.

Об административном задержании несовершеннолетнего в обязательном порядке уведомляются:

а) представители учебно-воспитательного учреждения;

б) орган опеки и попечительства;

в) его родители или иные законные представители;

г) все перечисленное.

Максимальный срок административного ареста составляет:

а) 5 суток;

б) 10 суток;

в) 15 суток;

г) 20 суток.

О какой из мер административного принуждения идет речь в следующем определении: «Принудительное, кратковременное (не более 3-х часов) ограничение свободы физического лица, применяемое в случае обеспечения правильного и своевременного рассмотрения дела об административном правонарушении, исполнения по делу об административном правонарушении»?

а) административное задержание;

б) привод;

в) доставление;

г) административный арест.

Протокол об административном правонарушении составляют:

а) уполномоченные на то должностные лица;

б) уполномоченные на то депутаты областной думы;

в) уполномоченные на то представители общественной организации;

г) уполномоченные на то депутаты краевой думы.

Административному задержанию не подлежат:

а) дипломаты и полномочные послы иностранных государств;

б) иностранные граждане;

в) лица, находящиеся в состоянии сильного алкогольного опьянения;

г) несовершеннолетние.

Срок административного задержания лица, находящегося в состоянии алкогольного опьянения исчисляется:

а) с момента вытрезвления лица;

б) с момента доставления;

в) с момента составления протокола об административном правонарушении;

г) с 9-00 следующих суток после доставления.

На какой срок по общему правилу применяется административное задержание правонарушителя в дежурной части ОВД?

а) не более 3 часов;

б) сутки;

в) 3 суток;

г) не более 1 часа.

Основным отличием личного досмотра от личного обыска является:

а) личный обыск – мера уголовно-процессуальная (регламентирован УПК РФ), личный досмотр – административно-процессуальная (регламентирован КоАП РФ);

б) личный обыск всегда проводится на основании соответствующего постановления, а личный досмотр может быть произведен и без такового;

в) в ходе личного обыска обязательно присутствуют понятые, а в ходе личного досмотра их нет;

г) в ходе личного обыска присутствуют понятые того же пола, что и обыскиваемый, а в ходе личного досмотра – нет.

С какого момента исчисляется время административного задержания?

а) с момента доставления правонарушителя в дежурную часть;

б) с момента составления административного протокола;

в) с момента фактического ограничения свободы передвижения;

г) с момента водворения в камеру для задержанных.

С какого возраста наступает административная ответственность?

а) 16 лет;

б) 12 лет;

в) 14 лет;

г) 18 лет.

До судебного решения лицо, совершившее административное правонарушение может быть подвергнуто задержанию на максимальный срок:

а) 48 часов;

б) 12 часов;

в) 24 часа;

г) 3 часа.

Принуждение – это:

а) административные наказания;

б) организационно-массовая работа;

в) правовое воспитание, нравственное воспитание;

г) распространение передового опыта.

В каких случаях полиции предоставляется право проверять документы, удостоверяющие личность граждан:

а) при проходе граждан на территории сооружений, на участки местности либо в общественные места, где проводятся публичные и массовые мероприятия;

б) при обеспечении безопасности граждан и общественного порядка на улицах, площадях, стадионах, в скверах, парках, на транспортных магистралях, вокзалах, в аэропортах, морских и речных портах и других общественных местах;

в) если имеются данные, дающие основания подозревать их в совершении преступления или полагать, что они находятся в розыске;

г) в любом случае.

Задержанное полицией лицо имеет право на один телефонный разговор в целях уведомления близких родственников или близких лиц:

а) в кратчайший срок;

б) в кратчайший срок, но не позднее трех часов с момента задержания;

в) в кратчайший срок, но не позднее одного часа с момента задержания;

г) такие сроки не установлены.

Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • No latin characters (2.5):
  • Low reputation (1):
Posted by: Дарья Колегова

79623962

Date: 2025-05-15 18:13:14
Score: 8 🚩
Natty: 4
Report link

I am having the same issue except my MM and DD are coming backwards when I use Visual Studio, so in a CVS export to Excel, the dates error if the Month is over 12 (because it's pulling day data), and then it reads backwards other dates, such as May 1st changed to Jan 5th.

I entered the Alter Session as the first line of my script with the SQL query starting with Select as the next line. I don't know a lot and am mostly self-taught, so if I am not putting that in the correct place, please help.

I have a query that runs, but when I add that first line (I have tried several ways to format the actual date format, including different separators and single vs double quotes, which I know is more of a Python thing) . Where do I add that command or what will fix this issue?

ALTER SESSION SET nls_date_format= 'MM-DD-YYYY'
SELECT
    p.id_number,

I got this error

Error report -

ORA-00922: missing or invalid option



https://docs.oracle.com/error-help/db/ora-00922/

00922. 00000 -  "missing or invalid option"

*Cause:    An invalid option was specified in defining a column or

           storage clause. The valid option in specifying a column was NOT

           NULL to specify that the column cannot contain any NULL

           values. Only constraints may follow the datatype. Specifying a

           maximum length on a DATE or LONG datatype also causes this

           error.

*Action:   Correct the syntax. Remove the erroneous option or

           length specification from the column or storage specification.
Reasons:
  • RegEx Blacklisted phrase (3): please help
  • RegEx Blacklisted phrase (1.5): fix this issue?
  • RegEx Blacklisted phrase (1): I am not putting that in the correct place, please
  • Long answer (-1):
  • Has code block (-0.5):
  • Me too answer (2.5): I am having the same issue
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Janelle

79623959

Date: 2025-05-15 18:11:13
Score: 3
Natty:
Report link

See this: Why using cursors in PL/SQl ORACLE?

If you read down in the answers, there's a good, practical answer about what cursors are used for. (Don't forget to upvote your favorite!)

Reasons:
  • Blacklisted phrase (0.5): upvote
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Scott Williamson

79623945

Date: 2025-05-15 17:58:10
Score: 1
Natty:
Report link

Try this: You will love it simplicity https://utteranc.es/

I hope this is not coming too late.

Reasons:
  • Whitelisted phrase (-2): Try this:
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Agunechemba Ekene

79623939

Date: 2025-05-15 17:53:08
Score: 5.5
Natty: 4.5
Report link

Se me soluciono haciendo esto
En C: \ Users \ Administrator \ AppData \ Local \ Postman \ Packages Directory, busque el archivo Postman-8.0.8-fill.nupkg y cambie el nombre como Postman-8.0.8-full.zip

Y luego llendo a la siguiente direccion y ejecutando el ejecutable postman C:\Users\User1\AppData\Local\Postman

Reasons:
  • Blacklisted phrase (2.5): solucion
  • No code block (0.5):
  • Unregistered user (0.5):
  • User mentioned (1): User1
  • Low reputation (1):
Posted by: Cheezz

79623933

Date: 2025-05-15 17:47:07
Score: 0.5
Natty:
Report link

The attaching on "show.bs.popover" event will not work, actually what is happening when an event listener attached to a Bootstrap popover for show.bs.popover returns event.preventDefault(), the popover is not displayed (the correct behavior) the first time, but it will no longer be possible to trigger the popover. The button associated with the popover cannot cause the popover to open again. From my examination, calling the popover sets the this._isHovered variable to true (_enter function). This, however, unintentionally prevents the popover from being reopened.

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

79623931

Date: 2025-05-15 17:46:06
Score: 9.5 🚩
Natty: 5
Report link

have you found a solution in the meantime? I have the same problem with .identityBanner. In the password entry window, the e-mail address is always displayed on a white background. It makes little sense that you can change the background color of the rest.

Reasons:
  • Blacklisted phrase (1): I have the same problem
  • RegEx Blacklisted phrase (2.5): have you found a solution in the meantime
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I have the same problem
  • Contains question mark (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Patrick

79623929

Date: 2025-05-15 17:43:05
Score: 0.5
Natty:
Report link

I found out that I made a mistake, I overwrote the lib folder of the new version I installed with the lib folder of the old version. Now it is showing the correct version.

root@SRVHML:/opt/tomcat/bin# ./version.sh
Using CATALINA_BASE:   /opt/tomcat
Using CATALINA_HOME:   /opt/tomcat
Using CATALINA_TMPDIR: /opt/tomcat/temp
Using JRE_HOME:        /usr/lib/jvm/java-1.8.0-amazon-corretto
Using CLASSPATH:       /opt/tomcat/bin/bootstrap.jar:/opt/tomcat/bin/tomcat-juli.jar
Using CATALINA_OPTS:
Server version: Apache Tomcat/9.0.105
Server built:   May 7 2025 18:36:02 UTC
Server number:  9.0.105.0
OS Name:        Linux
OS Version:     5.4.0-190-generic
Architecture:   amd64
JVM Version:    1.8.0_392-b08
JVM Vendor:     Amazon.com Inc.
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: miguel

79623928

Date: 2025-05-15 17:43:05
Score: 2
Natty:
Report link

min-h-0 would have less CSS specificity than the default style.
To make it work, you can either use min-h-0!:

<div class="collapse border border-base-300 bg-base-100 text-xs">
  <input type="checkbox" class="min-h-0!" />
  <div class="collapse-title min-h-0!">How do I create an account?</div>
  <div class="collapse-content">Click the "Sign Up" button in the top right corner and follow the registration process.</div>
</div>

https://play.tailwindcss.com/ODZ4Ga6Hz1

Or use:

.collapse {
  > input,
  > .collapse-title {
    min-height: 0;
  }
}

https://play.tailwindcss.com/CvB993EF4a?file=css

Reasons:
  • Blacklisted phrase (1): How do I
  • Probably link only (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Pouya Saadeghi

79623923

Date: 2025-05-15 17:39:04
Score: 2.5
Natty:
Report link

I added IHttpContextAccessor as a constructor argument for my Handler. Using that I can rerun my logic to completion. In fact the handler now gets called 3 frickin times! So I don't think this post (or my code) meets the worthy criteria for SO.

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

79623921

Date: 2025-05-15 17:37:03
Score: 2
Natty:
Report link

In my Edit 2 I explain how I solved my issue

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

79623913

Date: 2025-05-15 17:30:01
Score: 1
Natty:
Report link

Neither item_number nor custom seem to arrive in the notification, nor do they appear anywhere in your transaction history ... but item_name does if you add it as a hidden field to your form.

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

79623904

Date: 2025-05-15 17:23:59
Score: 2.5
Natty:
Report link

I tried to follow @mariaiffonseca, but I get an error every time when it tries to build the library I get the following error message: Creating Android archive under prebuilt: failed . Moreover, follow below some log messages:

> Task :ffmpeg-kit-android-lib:compileReleaseJavaWithJavac FAILED

FAILURE: Build failed with an exception.

* What went wrong:
Execution failed for task ':ffmpeg-kit-android-lib:compileReleaseJavaWithJavac'.
> Could not resolve all files for configuration ':ffmpeg-kit-android-lib:androidJdkImage'.
   > Failed to transform core-for-system-modules.jar to match attributes {artifactType=_internal_android_jdk_image, org.gradle.libraryelements=jar, org.gradle.usage=java-runtime}.
      > Execution failed for JdkImageTransform: /Users/rca/Library/Android/sdk/platforms/android-33/core-for-system-modules.jar.
         > Error while executing process /Users/rca/Library/Java/JavaVirtualMachines/corretto-21.0.5/Contents/Home/bin/jlink with arguments {--module-path /Users/rca/.gradle/caches/transforms-3/ef45e0af4d32a105d29fb530a1beed17/transformed/output/temp/jmod --add-modules java.base --output /Users/rca/.gradle/caches/transforms-3/ef45e0af4d32a105d29fb530a1beed17/transformed/output/jdkImage --disable-plugin system-modules}

* Try:
> Run with --stacktrace option to get the stack trace.
> Run with --info or --debug option to get more log output.
> Run with --scan to get full insights.
> Get more help at https://help.gradle.org.
Reasons:
  • RegEx Blacklisted phrase (1): I get an error
  • RegEx Blacklisted phrase (1): I get the following error
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @mariaiffonseca
  • Low reputation (1):
Posted by: Renan Costa Alencar

79623893

Date: 2025-05-15 17:14:57
Score: 2
Natty:
Report link

they might encrypt the data and save it and then use the information every time they want to charge.
Stripe allows you to make a charge from ACH data but not save it as a customers payment method

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

79623888

Date: 2025-05-15 17:12:57
Score: 1.5
Natty:
Report link

My issue was that I didn't have a Localization for the Subscriptions Group.

It's a confusing UX from Apple, all subscriptions were saying "Missing Metadata", hinting there must be an issue with them. It wasn't!

As soon as I updated the Subscriptions Group section, my subscriptions turned to "Ready to Submit"

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: emn.mun

79623885

Date: 2025-05-15 17:10:56
Score: 3.5
Natty:
Report link

In case you'd like to use an existing solution, you can check out:

https://assetstore.unity.com/packages/tools/terrain/procedural-floating-island-generator-319041

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

79623881

Date: 2025-05-15 17:07:55
Score: 3
Natty:
Report link

In case you need an "easy way out", there's an asset on the Asset Store that does this for you!

https://assetstore.unity.com/packages/tools/terrain/procedural-floating-island-generator-319041

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

79623878

Date: 2025-05-15 17:04:53
Score: 6 🚩
Natty:
Report link

Meanwhile I also tried to used custom session boto3 like below:

from boto3.session import Session as Boto3Session
from botocore.config import Config
from botocore.httpsession import URLLib3Session
from botocore.session import Session as BotocoreSession

class CustomURLLib3Session(URLLib3Session):  # type: ignore[misc]
    def __init__(self, config: CloudSecurityWorkerConfigs):
        if config.USE_KRAKEN:
            log.info(f'proxy: {config.KRAKEN_PROXY}')
            cert_key = get_app_certs()
            if cert_key:
                cert, key = cert_key
                log.info(f'cert: {cert}, key: {key}')
            super().__init__(
                proxies=config.KRAKEN_PROXY,
                verify='<ca-bundle>.crt',
                proxies_config={
                    'proxy_ca_bundle': '<ca-bundle>.crt',
                    'proxy_client_cert': cert_key,
                },
            )
        else:
            super().__init__()
botocore_session = BotocoreSession()
        botocore_session.register_component('httpsession', CustomURLLib3Session(config))
        boto3_session = Boto3Session(botocore_session=botocore_session)

        # Optional: set retries or other config options
        s3_config = Config(retries={'max_attempts': 6, 'mode': 'standard'})

        # Create the S3 client using the patched session
        test_aws_client = boto3_session.client(
            's3',
            aws_access_key_id=config.AWS_ACCESS_KEY_ID,
            aws_secret_access_key=config.AWS_ACCESS_SECRET_KEY,
            config=s3_config,
        )
        log.info(f'client created: {test_aws_client}')
        paginator = test_aws_client.get_paginator('list_objects_v2')

But I get below error:

2025-05-15 13:21:46,740 cloudsecurityworker.worker [ERROR] Failed to connect to aws: Could not connect to the endpoint URL: "https://<bucket_name>.s3.amazonaws.com/?list-type=2&prefix=dummy%2F&encoding-type=url"
Traceback (most recent call last):
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/urllib3/connection.py", line 198, in _new_conn
    sock = connection.create_connection(
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/urllib3/util/connection.py", line 85, in create_connection
    raise err
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/urllib3/util/connection.py", line 73, in create_connection
    sock.connect(sa)
ConnectionRefusedError: [Errno 111] Connection refused

The above exception was the direct cause of the following exception:

Traceback (most recent call last):
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/botocore/httpsession.py", line 464, in send
    urllib_response = conn.urlopen(
                      ^^^^^^^^^^^^^
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/urllib3/connectionpool.py", line 841, in urlopen
    retries = retries.increment(
              ^^^^^^^^^^^^^^^^^^
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/urllib3/util/retry.py", line 449, in increment
    raise reraise(type(error), error, _stacktrace)
          ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/urllib3/util/util.py", line 39, in reraise
    raise value
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/urllib3/connectionpool.py", line 787, in urlopen
    response = self._make_request(
               ^^^^^^^^^^^^^^^^^^^
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/urllib3/connectionpool.py", line 488, in _make_request
    raise new_e
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/urllib3/connectionpool.py", line 464, in _make_request
    self._validate_conn(conn)
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/urllib3/connectionpool.py", line 1093, in _validate_conn
    conn.connect()
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/urllib3/connection.py", line 704, in connect
    self.sock = sock = self._new_conn()
                       ^^^^^^^^^^^^^^^^
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/urllib3/connection.py", line 213, in _new_conn
    raise NewConnectionError(
urllib3.exceptions.NewConnectionError: <botocore.awsrequest.AWSHTTPSConnection object at 0x71393f4fea90>: Failed to establish a new connection: [Errno 111] Connection refused

During handling of the above exception, another exception occurred:

Traceback (most recent call last):
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/cloudsecurityworker/worker.py", line 84, in main
    for page in page_iterator:
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/botocore/paginate.py", line 269, in __iter__
    response = self._make_request(current_kwargs)
               ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/botocore/paginate.py", line 357, in _make_request
    return self._method(**current_kwargs)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/botocore/client.py", line 565, in _api_call
    return self._make_api_call(operation_name, kwargs)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/botocore/client.py", line 999, in _make_api_call
    http, parsed_response = self._make_request(
                            ^^^^^^^^^^^^^^^^^^^
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/botocore/client.py", line 1023, in _make_request
    return self._endpoint.make_request(operation_model, request_dict)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/botocore/endpoint.py", line 119, in make_request
    return self._send_request(request_dict, operation_model)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/botocore/endpoint.py", line 229, in _send_request
    raise exception
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/botocore/endpoint.py", line 279, in _do_get_response
    http_response = self._send(request)
                    ^^^^^^^^^^^^^^^^^^^
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/botocore/endpoint.py", line 375, in _send
    return self.http_session.send(request)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "/export/content/lid/apps/cloud-security-worker/i001/libexec/cloud-security-worker.pyz_121b45119d28139a516068d60967f047fbfa1bb51f837990300dd4a0099e35f2/site-packages/botocore/httpsession.py", line 493, in send
    raise EndpointConnectionError(endpoint_url=request.url, error=e)
botocore.exceptions.EndpointConnectionError: Could not connect to the endpoint URL: "https://<bucket_name>.s3.amazonaws.com/?list-type=2&prefix=dummy%2F&encoding-type=url"

I am stuck on how to resolve this issue?

Reasons:
  • RegEx Blacklisted phrase (1.5): I am stuck
  • RegEx Blacklisted phrase (1.5): how to resolve this issue?
  • RegEx Blacklisted phrase (1): I get below error
  • Long answer (-1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Struggler

79623864

Date: 2025-05-15 16:57:52
Score: 1.5
Natty:
Report link

This is a simple case of "it's not doing what you think its doing". Powertoys ruler measures how many pixels it physically takes on your screen; AFTER scaling. Scaling settings can be found under the System > Display > Scale & Layout.

You are probably on 150% scaling, hence you should get 48 x 150 / 100 = 72px. On Chrome the ruler will measure 2px less as it does not include the border but on Firefox the border is included.

On 100% scaling you will get the exact size of 48, at least on Firefox.

Chrome 150% Scaling

Chrome 150% Scaling

Firefox 150% Scaling

Firefox 150% Scaling

Chrome 100% Scaling

Chrome 100% Scaling

Firefox 100% Scaling

Firefox 100% Scaling

Reasons:
  • Probably link only (1):
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Frox

79623844

Date: 2025-05-15 16:45:48
Score: 0.5
Natty:
Report link

I found strange behavior, when using namespaces in XML.

I'm trying to change <tps:style type="italic"> into <tps:c type="italic"> .

I found that tag.name = "tps:c" creates <tps:tps:c type="italic">.

I worked around it by using tag.name = "c" and it set it to <tps:c type="italic">.

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

79623821

Date: 2025-05-15 16:25:43
Score: 1
Natty:
Report link

It looks like @Brett Mchdonald is correct. You have a typo in your post I'd check the spelling of the grid-template-columns

   // create a reference to linked stylesheet
    const stylesheet = document.styleSheets[0];
    const rules = stylesheet.cssRules || stylesheet.rules; 
    
    // loop through the style sheet reference to find the classes to be modified and modify them

    for (let i = 0; i < rules.length; i++) {
        if (rules[i].selectorText === '.grid-container') {
            rules[i].style['background-color'] ='yellow';
            rules[i].style['grid-template-columns'] = 'auto auto auto';
            break;
        }
    }
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @Brett
  • Low reputation (1):
Posted by: Jesse Vanderwerf

79623818

Date: 2025-05-15 16:24:42
Score: 3
Natty:
Report link

Likely you set the trigger to fire off at midnight, which was several hours before you built the flow. Changing the hour when it's supposed to execute the steps does not change the time the flow triggers.

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

79623802

Date: 2025-05-15 16:15:40
Score: 2
Natty:
Report link

The Regular expression ((<p\s*class="translate"[^>]*>.*?<\/p>)|(<code>.*?</code>))(*SKIP)(*F)|<strong>.*?</strong> helped find what is between <strong> and </strong> if it met the conditions above

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Zion ToDo

79623797

Date: 2025-05-15 16:11:39
Score: 1
Natty:
Report link

According to the OP in a comment:

using a class based view was triggering a query when I opened the page. I had to create a new page with just the input query then use the query results on a separate page

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

79623789

Date: 2025-05-15 16:08:38
Score: 2
Natty:
Report link

Yes, if the page is vulnerable to XSS (Cross-Site Scripting), an attacker could run their own script and steal the password stored in the JavaScript variable. Even though it’s not saved in cookies, the password still stays in memory and can be accessed through JavaScript if the attacker injects code into the page. CSRF wouldn’t work here, but XSS could. To stay safe, avoid keeping passwords in variables and always sanitize any data shown on the page.

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

79623787

Date: 2025-05-15 16:07:37
Score: 1
Natty:
Report link
-- Doesn't work, though, it really should?:
select 
  count(*),
  (select count(*) from dual)
from dual;

No it shouldn't, the query is trying to do a count(*), and selecting a fixed value "(select count(*) from dual)" as if this was a column, so to count(*) you need to group by, as long as (select count(*) from dual) is treated as value, then we should do a group by on this value, the problem that raises here is that it doesn't really exists as a column so you can't refer it on the group by as "group by (select count(*) from dual) as you can't group by subquerys, translated
when you query a table, you can apply group by, the possible correct solution to your issue would be:
select 
  count(*) b,
  a
from dual, (select count(*) a from dual)
group by a;

Regards
Reasons:
  • Blacklisted phrase (1): Regards
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Jesús Cabral

79623785

Date: 2025-05-15 16:06:37
Score: 0.5
Natty:
Report link

As @sergey-fedotov suggested, you need a custom implementation.

Give the code below a try:


use Symfony\Component\Serializer\Normalizer\NormalizerInterface;

class StdClassNormalizer implements NormalizerInterface
{
    public function normalize($object, string $format = null, array $context = []): array|\stdClass
    {
        if ($object instanceof \stdClass && empty(get_object_vars($object))) {
            return new \stdClass();
        }
        return (array) $object;
    }

    public function supportsNormalization($data, string $format = null, array $context = []): bool
    {
        return $data instanceof \stdClass;
    }
}

Don't forget to register StdClassNormalizer as a Service.

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @sergey-fedotov
  • Low reputation (0.5):
Posted by: yaoviametepe

79623783

Date: 2025-05-15 16:05:36
Score: 4
Natty: 4
Report link

I wasn’t even planning on writing this, but I couldn’t find a straight answer anywhere…

I have done so many test and this is the one that seems working. you guys can check it here

https://maxwin12-d.com/

Thanks for this, I tried the second one and it actually helped.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Contains signature (1):
  • Low length (0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: maxwin12

79623775

Date: 2025-05-15 16:02:35
Score: 1.5
Natty:
Report link

Uninstalling Chrome will not delete desktop shortcuts to websites unless you manually remove them. It is possible that some Web Apps may be delete with Chrome(Like Spotify Web, Twitter).
For the Error (0X80004005) :
Try running chrome with Admin Rights and then go to chrome://settings/help and try updating again.
Alternative is Using Google's Chrome Cleanup Tool.
Reinstall latest Chrome:
Download from: https://www.google.com/chrome/

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

79623759

Date: 2025-05-15 15:53:32
Score: 1.5
Natty:
Report link

You can write the title in Bold for example and use a newline in HTML:

**Some Title**<br />![image](MyLovelyImage.png)
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Glottis4

79623754

Date: 2025-05-15 15:51:32
Score: 1
Natty:
Report link

Without regular expression, but you are turning the logic around to make use of the % wildcard in LIKE. I think this is pretty close to the logic that you had in mind.

SELECT DISTINCT(CITY)
FROM STATION
WHERE 'aeiou' LIKE CONCAT( "%",LEFT(CITY, 1),"%")
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Roman Ruzica

79623753

Date: 2025-05-15 15:50:31
Score: 3
Natty:
Report link

0

I'm running into an issue when trying to install dependencies using npm install on my Windows 11 machine. The installation fails with the following error:

npm ERR! code ERR_SSL_CIPHER_OPERATION_FAILED npm ERR! errno ERR_SSL_CIPHER_OPERATION_FAILED npm ERR! Invalid response body while trying to fetch https://registry.npmjs.org/scheduler: A8070000:error:1C800066:Provider routines:ossl_gcm_stream_update:cipher operation failed:c:\ws\deps\openssl\openssl\providers\implementations\ciphers\ciphercommon_gcm.c:320: What I’ve Tried So Far: Cleared npm cache: npm cache clean --force

Tried with legacy peer dependencies: npm install --legacy-peer-deps

Node.js and npm versions:

node -v -> v18.18.2
npm -v -> 9.8.1 Ran terminal as Administrator

Deleted node_modules and package-lock.json and reinstalled

Updated Node.js to the latest LTS

Changed npm registry to HTTP: npm config set registry http://registry.npmjs.org/

Disabled strict SSL: npm config set strict-ssl false

Verified OpenSSL version (openssl version)

Temporarily disabled antivirus/firewall

Tried yarn install instead of npm install

None of these steps resolved the issue.

My Questions: Could this error be due to corrupted OpenSSL libraries or a broken Node installation? Is there a known issue with specific cipher configurations on Windows 11? Are there environment variables or system settings that could affect SSL cipher operations for Node/npm? System Info: OS: Windows 11 (fully updated) Node.js: v18.18.2 npm: 9.8.1 Shell: PowerShell (Admin mode) Would really appreciate any help or insight. Thank you! 🙏

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (1): any help
  • Blacklisted phrase (0.5): 🙏
  • Long answer (-1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Pranav Divade

79623750

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

According to the official python mt5 documentation, the copy_rates function must create a 'datetime' objects in UTC time zone to avoid the implementation of a local time zone offset

Regardless of the time zone you use, it'll always represent the UTC timezone to get candle data. For this reason, when adding 3 hours in the now function, the dataframe displayed the value you wanted.

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

79623743

Date: 2025-05-15 15:45:30
Score: 0.5
Natty:
Report link

# Make a copy of the DataFrame
df_copy = df.copy()
import pandas as pd

result = []

for drink in order:
    idx = df_copy[df_copy['Drink'] == drink].index.min()
    if pd.notna(idx):
        result.append(df_copy.loc[idx])
        df_copy = df_copy.drop(index=idx)


ordered_df = pd.DataFrame(result)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: mani

79623741

Date: 2025-05-15 15:44:29
Score: 1
Natty:
Report link

I know this is an old post

If you use non-nullable types (like int, DateTime), they always have a default value (e.g., 0), so [Required] won’t catch them being "empty."

Fix: Use nullable types if you want [Required] to validate them:

[Required]
public int? AquiferID { get; set; }
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: user23509

79623726

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

this can happen if the variable in the ci/cd settings section is marked as protected
did you check the Protect Variable checkbox in the variable settings?
another possibility is that your feature branch needs to be marked as protected in the repository’s branch settings.

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

79623724

Date: 2025-05-15 15:36:27
Score: 1
Natty:
Report link

Actually there's a solution for this today, you can have Github build packages automatically for you, by using PyDeployment: https://github.com/pydeployment/pydeployment

There's a handy set of starter templates for each of the major toolkits:

But it's good for scripts too!

Note of Caution: The devil is in the details! Packaged python apps have their own special quirks on each platform.

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

79623721

Date: 2025-05-15 15:36:27
Score: 1
Natty:
Report link

You can just use the r flag:

$newstring = $oldstring =~ s/foo/bar/gr;

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • High reputation (-1):
Posted by: Steve Waring

79623715

Date: 2025-05-15 15:34:26
Score: 3
Natty:
Report link

Try

encoding = "latin1"
Reasons:
  • Low length (2):
  • Has code block (-0.5):
  • Has no white space (0.5):
  • Low reputation (1):
Posted by: user27842288

79623712

Date: 2025-05-15 15:34:26
Score: 8.5 🚩
Natty:
Report link

@Mahrez, it seems the same error so nothing changed. I test the code and the problem is that the form is not valid. Your answer is when the form is valid before to apply the save code. please, could you check again or anyone can help me, please.

def Insert_group(request):
    print(f" The begining Request method is : {request.method}")
    sEtat = "crea"
    data = {
        "created_at": datetime.today(),
        "updated_at": datetime.today(),
        "UTIL_CREATION": settings.WCURUSER,
        "UTIL_MODIF": settings.WCURUSER,
        "Soc_sigle": settings.WSOCGEN,
    }
    if request.method == 'POST':
        print('Yes i am in  POST method')
        LibELE_GROUPE = request.POST.get("LibELE_GROUPE")

        form = f_groupe_userForm(request.POST)
        print(request.method)
        if form.has_changed():
            print("The following fields changed: %s" % ", ".join(form.changed_data))
        if form.is_valid():

            groupe = form.save(commit=False)
            groupe.updated_at         = datetime.today()
            groupe.created_at         = datetime.today()
            groupe.UTIL_CREATION      = settings.WCURUSER
            groupe.UTIL_MODIF         = settings.WCURUSER
            groupe.Soc_sigle          = settings.WSOCGEN

            if LibELE_GROUPE is not None:
                print(f"LibELE_GROUPE value is  : {LibELE_GROUPE}")
                if 'Ajouter' in request.POST:
                    print('Yes we can insert now')
                    groupe.save()
                    print('insert successful!!!')
                    return HttpResponseRedirect("CreateGroup/success")
                else:
                    return HttpResponseRedirect("CreateGroup")

            else:
                # In reality we'd use a form class
                # to get proper validation errors.
                return HttpResponse("fields libelle is empty!")
                # "Make sure all fields are entered and valid.")
            ## Process the form data
            # pass
            # return redirect('success')
        else:
            #print('form pas valide')
            print("The following fields are not valid : %s" % ", ".join(form.errors.as_data()))

            return render(request, 'appMenuAdministrator/L_liste_GroupeUtilisateur/FicheCreaGroupe1.html', {'form': form})
    else:
        form = f_groupe_userForm()
        data = data
        # print(f"La valeur de libellé est : {LibELE_GROUPE}")
        return render(request, 'appMenuAdministrator/L_liste_GroupeUtilisateur/FicheCreaGroupe1.html', {'form': form, 'sEtat': sEtat, 'data': data})


15/May/2025 15:19:43] "GET /static/css/all.min.css HTTP/1.1" 404 1985
 The begining Request method is : GET
[15/May/2025 15:19:45] "GET /AccessAdmin/Insert_group HTTP/1.1" 200 11230
[15/May/2025 15:19:45] "GET /static/css/all.min.css HTTP/1.1" 404 1985
 The begining Request method is : POST
Yes i am in  POST method
POST
The following fields changed: LibELE_GROUPE
The following fields are not valid : UTIL_CREATION, UTIL_MODIF, Soc_sigle, created_at, updated_at
[15/May/2025 15:19:55] "POST /AccessAdmin/Insert_group HTTP/1.1" 200 11181
[15/May/2025 15:19:55] "GET /static/css/all.min.css HTTP/1.1" 404 1985

Reasons:
  • Blacklisted phrase (1): help me
  • RegEx Blacklisted phrase (3): anyone can help me
  • RegEx Blacklisted phrase (2): help me, please
  • RegEx Blacklisted phrase (0.5): anyone can help
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @Mahrez
  • Self-answer (0.5):
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: Fulbert KOFFI

79623708

Date: 2025-05-15 15:30:24
Score: 3.5
Natty:
Report link

I had the same error. I solve it with using getAbsolutePath from https://storybook.js.org/docs/faq#how-do-i-fix-module-resolution-in-special-environments

Reasons:
  • Whitelisted phrase (-1): I had the same
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Václav Štencl

79623697

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

This resolved itself after a reboot

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

79623690

Date: 2025-05-15 15:26:22
Score: 4
Natty:
Report link

https://github.com/firebase/flutterfire/issues/13533
may be this will work, I lost a whole day

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

79623681

Date: 2025-05-15 15:20:20
Score: 1.5
Natty:
Report link

Oftentimes, a variety of tests are used to get the best of both worlds. Local tests will be run first since they are the easiest and most efficient. Then, on the server side, tests can be run pre-merge and sometimes post-merge as well. Of course, exactly which tests and the extent of testing is based on the scenario.

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

79623677

Date: 2025-05-15 15:18:19
Score: 2
Natty:
Report link

On Google Sheets you can copy the rows with Ctrl + v and paste them with Ctrl + Shift + v.

Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Estácio Pereira

79623676

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

This is a known issue: https://github.com/InsertKoinIO/koin/issues/2044. Try using the latest version v4.0.4. You can find version history here.

If it does not work with the latest version, downgrade to v3.5.6 (reference) and wait for stable v4.1.0 release.

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

79623672

Date: 2025-05-15 15:15:19
Score: 0.5
Natty:
Report link

You can play with the opacity, but without reducing it completely, which would render the button insensitive to hover.

.btn {
  opacity:0.01;
}
.btn:hover {
  opacity:1;
}

This does not prevent putting in a transition.

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

79623669

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

Having encountered this myself, I presume you're running a relatively current version of Composer compared the the rest of your packages. The error is due to your version of Symfony being very outdated and as a result the sensio/distributionbundle post-install hooks now pass invalid data back to Composer.

Downgrading Composer to 2.2.x should be an old enough version to mean the install works, though it'd be a far better idea to remove the reliance on sensio/distributionbundle which has been archived and unsupported for many years now.

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

79623662

Date: 2025-05-15 15:12:18
Score: 2
Natty:
Report link
There is an O(n log n)-time algorithm for the problem.

See this answer to the crosspost at cstheory for the proof.

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

79623656

Date: 2025-05-15 15:09:17
Score: 3
Natty:
Report link

i dont know if this answer you question

i have done many experiment and this is what i found

you can try this link from maxwin12

hope this can answer your question

Reasons:
  • Blacklisted phrase (1): this link
  • Whitelisted phrase (-1): try this
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: user30548188

79623617

Date: 2025-05-15 14:48:11
Score: 2.5
Natty:
Report link

AWS Managed Microsoft AD currently takes daily snapshots automatically, there's also an option to take up to 5 manual snapshots.

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

79623611

Date: 2025-05-15 14:46:10
Score: 1.5
Natty:
Report link

According to JSFiddle it does show:

As others pointed out if you change border-top and border-right to something other than white that might help as well.

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

79623610

Date: 2025-05-15 14:45:10
Score: 1
Natty:
Report link

Try changing the types of the new column to the following:

    {
      "name" : "new_field",
      "type" : ["null", "string"],
      "default" : null
    }

"null" refers to a data type and null to the null value.

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

79623609

Date: 2025-05-15 14:45:10
Score: 3
Natty:
Report link

As of today, the guest cannot see or use GitHub Copilot in the right bar, they can only do so with the extension.

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

79623607

Date: 2025-05-15 14:44:09
Score: 3
Natty:
Report link

everything is simpler, in fact it swaps the address lines of banks depending on the configuration bit

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

79623606

Date: 2025-05-15 14:44:09
Score: 1.5
Natty:
Report link

I had the same problem here, the solution was to change the kubernates file to the java I wanted (in my case 17).

If anyone else has a similar problem, check your kubernates or dockerFile file, thanks for the topic.

Reasons:
  • Blacklisted phrase (0.5): thanks
  • Whitelisted phrase (-1): I had the same
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Aldenor De Oliveira Junior

79623595

Date: 2025-05-15 14:39:08
Score: 2
Natty:
Report link

Is there any other data on the sheet? If not, then this will give you the number of rows in the Table whether it's filtered or not and you simply add to it the number rows used in your header and/or extra rows above the Table:

Sheets("Sheet1").ListObjects("Table1").DataBodyRange.Rows.Count

Reasons:
  • Blacklisted phrase (1): Is there any
  • Low length (0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): Is there any
Posted by: Frank Ball

79623593

Date: 2025-05-15 14:38:08
Score: 1
Natty:
Report link

If your chat is between 2 users only and it won't change, chat table is extra. You can keep you message as:

ID (long) IdSender (INT) (FK) IdReceiver (INT) (FK) Message (TEXT)

But make some indexes. You've made absolutely normal and universal structure for small database. Even if you have 3, 100 or 1 user in chat, you always need to keep link to sender and to chat.

But better... Don't keep messages in database. You can save posts, comments, but not every single message. Even if you make goos bw-trees indexes, it will become laggy. Use special services for this (for example, special files or storages)

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

79623590

Date: 2025-05-15 14:37:07
Score: 0.5
Natty:
Report link

The query parameter uses JMESPath to get attributes. With that you run the following command to only return the plan name:

aws backup get-backup-plan \
    --backup-plan-id {plan_id} \
    --query BackupPlan.BackupPlanName
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: PeskyPotato

79623582

Date: 2025-05-15 14:33:06
Score: 0.5
Natty:
Report link

I know this is an old post but I had this happen after upgrading Visual Studio 2022.

It was giving the ambiguous reference for System.Net.Http. (This relates a little to another post around negut package.)

Insight to project: REST API is being build using .net framework 4.6.2. (important to issue)

Visual Studio 2022 updated and added .net framework 4.6.1, which made that component being found 2 locations that both had that System.Net.Http.

I ventured in the location where the two references were and was able to link the date to that addtion/VS Update. (Right click on the area with ambiguous reference and it shows you were they are)
enter image description here

So the fix in my scenario was to delete the newly added 4.6.1 framework that was added from the VS update.

This may/may not come up for newer versions of visual studio updates.

Hope this is useful for someone.

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

79623577

Date: 2025-05-15 14:32:06
Score: 3.5
Natty:
Report link

Looking in Browser DevTools it seems you have a non-https request to Google for jquery:

DevTools image showing GET to ajax.googleapis.com for jquery.min.js and a Mixed Blocked message

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

79623563

Date: 2025-05-15 14:26:04
Score: 2
Natty:
Report link

As said in the "How can I configure Codeblocks to not close the console after the program has finished?" question:

Project -> Properties -> Build targets. You should see a checkbox labeled: Pause when execution ends somewhere there. Your application type must be Console application.

Reasons:
  • Blacklisted phrase (0.5): How can I
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: user263819

79623546

Date: 2025-05-15 14:18:03
Score: 2.5
Natty:
Report link

I was getting the same issue using @tanstack/[email protected].

Setting cacheTime: 0 solved it for me.

In version 5, cacheTime has been renamed to gcTime as per https://tanstack.com/query/latest/docs/framework/react/guides/migrating-to-v5#rename-cachetime-to-gctime

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

79623544

Date: 2025-05-15 14:17:02
Score: 0.5
Natty:
Report link

I found a solution by setting:

for i in range(0,dag.params["input_number"]):

This way the dag is created with all the tasks from 0 to 12, as set by default in params but when I run it it gets the input I give for that run, which can be lower than 13.

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

79623541

Date: 2025-05-15 14:14:57
Score: 7 🚩
Natty:
Report link

Thank you for your answer! It was really helpful

Now I can send a recorded file to TV by chunks. It is strange because TV recognize voice when I send file by 120 bytes but TV can't recognize if I send by 119 bytes. Maybe you know this issue and can help. However I can do it with recorded wav file.

My next question is about realtime audio stream. Do you know how it can be implemented?

I will be really grateful for your additional help

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • RegEx Blacklisted phrase (2): I will be really grateful
  • RegEx Blacklisted phrase (2.5): Do you know how
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Nick Malevich

79623540

Date: 2025-05-15 14:12:56
Score: 4
Natty:
Report link

I'm sorry I may not be explaining this well. We have a field ltd that will have a 2 digit currency value. I want to verify the field is any valid 2 digit currency, for example 12000.00, 23.55, 23910.01 would all be valid. 1.1, 24552.134, etc would be invalid.

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