79727876

Date: 2025-08-06 21:30:37
Score: 1.5
Natty:
Report link

Local ipv6 route is always in the global prefix, assuming that it's standard /64 prefix. So:

ip -6 route show | grep -v fe80 | awk '{print $1}'

2001:8a0:e4b3:e800::/64

Removed local (ULA) addresses using grep -v fe80. I changed my prefix to some random.

If your prefix is not /64 and you are using SLAAC, you'll still get /64 local route.

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

79727863

Date: 2025-08-06 21:22:35
Score: 2
Natty:
Report link

I just want to drop here, that angular supports using javascript string-interpolation since 19.2.0 (untagged template literals).

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

79727858

Date: 2025-08-06 21:19:35
Score: 3
Natty:
Report link

define car and array. you should be able get a callable and return at the end. as long you don't want to return an undefined array. KiSs <3

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

79727854

Date: 2025-08-06 21:16:34
Score: 1
Natty:
Report link

Yet another workaround is to set WA_TransparentForMouseEvents attribute to child widget of QVideoWidget:

 QWidget *c = findChild<QWidget*>();
 if (c)
     c->setAttribute(Qt::WA_TransparentForMouseEvents);
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Andrei Andreev

79727853

Date: 2025-08-06 21:15:33
Score: 0.5
Natty:
Report link

We had this exact same behavior when we put in an intro file with different bitrate and stereo/mono settings than the stream. The file would play and then the stream would not play. Interesting though, it played on our mobile app, but not in the browser.

We fixed the bitrate and stereo problem and now it plays fine.

Reasons:
  • No code block (0.5):
Posted by: Dan Mantyla

79727834

Date: 2025-08-06 20:46:26
Score: 2.5
Natty:
Report link

Just install django-oscar version 3.2.4 as follows:

pip install django-oscar[sorl-thumbnail]==3.2.4

and problem was solved.

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

79727827

Date: 2025-08-06 20:41:24
Score: 2
Natty:
Report link

Great solution for automating workflows in Google Sheets! If you're looking to learn how to build custom scripts to loop through stock spreadsheets efficiently, I highly recommend checking out this detailed article: Google Sheets Script – Loop Through Stocks Spreadsheet. It offers a clear step-by-step guide, perfect for both beginners and those with some experience in Google Apps Script.

Reasons:
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Mário Tandala

79727821

Date: 2025-08-06 20:37:23
Score: 0.5
Natty:
Report link

I made a unit for you to do this:

unit DeviceLister;

interface

uses
  System.Classes
  ,System.SysUtils
  {$IFDEF MSWINDOWS}
  ,Winapi.Windows
  {$ENDIF};

function GetPluggedInDevices: TStringList;

implementation

{$IFDEF MSWINDOWS}
const
  DIGCF_PRESENT = $00000002;
  DIGCF_ALLCLASSES = $00000004;
  SPDRP_DEVICEDESC = $00000000;

type
  HDEVINFO = Pointer;
  ULONG_PTR = NativeUInt;

  TSPDevInfoData = packed record
    cbSize: DWORD;
    ClassGuid: TGUID;
    DevInst: DWORD;
    Reserved: ULONG_PTR;
  end;

function SetupDiGetClassDevsW(ClassGuid: PGUID; Enumerator: PWideChar; hwndParent: HWND;
  Flags: DWORD): HDEVINFO; stdcall; external 'setupapi.dll' name 'SetupDiGetClassDevsW';

function SetupDiEnumDeviceInfo(DeviceInfoSet: HDEVINFO; MemberIndex: DWORD;
  var DeviceInfoData: TSPDevInfoData): BOOL; stdcall; external 'setupapi.dll';

function SetupDiGetDeviceRegistryPropertyW(DeviceInfoSet: HDEVINFO;
  const DeviceInfoData: TSPDevInfoData; Property_: DWORD; var PropertyRegDataType: DWORD;
  PropertyBuffer: PBYTE; PropertyBufferSize: DWORD; RequiredSize: PDWORD): BOOL; stdcall; external 'setupapi.dll' name 'SetupDiGetDeviceRegistryPropertyW';

function SetupDiDestroyDeviceInfoList(DeviceInfoSet: HDEVINFO): BOOL; stdcall; external 'setupapi.dll';
{$ENDIF}

function GetPluggedInDevices: TStringList;
{$IFDEF MSWINDOWS}
var
  DeviceInfoSet: HDEVINFO;
  DeviceInfoData: TSPDevInfoData;
  i: Integer;
  DeviceName: array[0..1023] of Byte;
  RegType: DWORD;
{$ENDIF}
begin
  Result := TStringList.Create;

  {$IFDEF MSWINDOWS}
  DeviceInfoSet := SetupDiGetClassDevsW(nil, nil, 0, DIGCF_ALLCLASSES or DIGCF_PRESENT);
  if NativeUInt(DeviceInfoSet) = NativeUInt(INVALID_HANDLE_VALUE) then
  begin
    Result.Add('Failed to get device list.');
    Exit;
  end;

  i := 0;
  DeviceInfoData.cbSize := SizeOf(TSPDevInfoData);

  while SetupDiEnumDeviceInfo(DeviceInfoSet, i, DeviceInfoData) do
  begin
    if SetupDiGetDeviceRegistryPropertyW(DeviceInfoSet, DeviceInfoData, SPDRP_DEVICEDESC,
      RegType, @DeviceName, SizeOf(DeviceName), nil) then
    begin
      Result.Add(Format('%d: %s', [i + 1, PWideChar(@DeviceName)]));
    end;
    Inc(i);
  end;

  SetupDiDestroyDeviceInfoList(DeviceInfoSet);
  {$ELSE}
  Result.Add('Device listing is only supported on Windows.');
  {$ENDIF}
end;

end.

And then in your app, you can simply add DeviceLister to your uses list, and then call the GetPluggedInDevices function. Here's an example where I'm calling and using it on a button to display the devices onto a memo:

procedure TForm1.Button1Click(Sender: TObject);
begin
  var Devices := GetPluggedInDevices;
  Memo1.Lines.Assign(Devices);
  Devices.Free;
end;

And the result:

Getting Plugged in Devices using Delphi Programming Language


Is this kind of what you wanted?

Reasons:
  • Probably link only (1):
  • Long answer (-1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • High reputation (-1):
Posted by: Shaun Roselt

79727808

Date: 2025-08-06 20:23:19
Score: 3
Natty:
Report link

Turns out it is a bug in PyCharm: https://youtrack.jetbrains.com/issue/PY-60819/FLASKDEBUG1-breaks-debugger-when-Python-PyCharm-installation-path-has-spaces#focus=Comments-27-8071749.0-0

Looks like it was fixed in the 2025.2.0 release.

I upgraded to 2025.2 and can confirm that the issue has been resolved.

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

79727793

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

Using a Google Business Profile for your business on Google Maps can be beneficial, but for businesses functioning within multiple cities, relying solely on Google's geocomplete-based listings is counterproductive.

Google Maps tends to restrict visibility to a particular local area radius, meaning your business would not show up in searches outside of your immediate vicinity.

This is where business directories focused on a particular state, like EZ Local, shine.

EZ Local, unlike Google geocomplete, empowers businesses to list in multiple cities, even across state lines, thus broadening their reach. Contractors, service providers, or companies with a statewide footprint needing untethered, local exposure can greatly benefit from EZ Local.

If your business would like to reach beyond neighborhood customers, such targeting with EZ Local becomes scalable and more SEO-friendly.

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

79727791

Date: 2025-08-06 20:05:14
Score: 1.5
Natty:
Report link

From Igor Tandetnik:

cppreference has this to say: (1) a consteval specifier implies inline; and (2) The definition of an inline function must be reachable in the translation unit where it is accessed. I'm 99% sure you won't be able to hide the definition of consteval function in the library; you'd have to put it into the header.

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

79727786

Date: 2025-08-06 19:57:11
Score: 2
Natty:
Report link

To ensure if that setup is valid or possible, it would be best to consult a Google Cloud sales specialist. They can offer personalized advice and technical recommendations tailored to your application’s needs. From identifying suitable use cases to helping you manage future workload costs effectively, their insights can be invaluable.

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

79727780

Date: 2025-08-06 19:48:09
Score: 1.5
Natty:
Report link

you most likely have a framework or css folder overriding the table row element's end. it's changing color but not the entire row because another .css file rule is governing this one already or 2 are conflicting. conflict resolution on this one.

try to remove the element into a new file/folder and see if it runs sepereate. if it does you know you have a conflict in css rules.

Happy hunting!

Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: C. Kearce

79727766

Date: 2025-08-06 19:24:03
Score: 2.5
Natty:
Report link

In my case, my password was reset. When connecting, I changed the Authentication to another option then back to "SQL Server Authentication". After it, when I hit "Connect" it asked me to update the password.

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

79727762

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

had the same problem time ago, i solved by updating the library. If not work after updating try pymysql instead of mysql.

Reasons:
  • Whitelisted phrase (-2): i solved
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: wolowizard

79727759

Date: 2025-08-06 19:18:01
Score: 3
Natty:
Report link

I tried to use the merchant ID under "Business Information" and it was wrong, mine was in the url bar and was 13 characters, the wrong one for me was ALL numbers and only 12 numbers.

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

79727753

Date: 2025-08-06 19:17:00
Score: 1.5
Natty:
Report link

1 moveTo(x, y) {

2 this.nodes[0].updateRelative (true, true);

3 let dist ((x this.end.x) **2 +

4 (y this.end.y) **2) ** 0.5;

5 let len = Math.max(0, dist this.speed);

6 for (let i= this.nodes.length 1; i >= 0; i--) {

7 let node = this.nodes[i];

8 let ang Math.atan2(node.yy, node.x x);

9 node.x = x + len * Math.cos(ang);

10 node.y = y + len Math.sin(ang);

11 x = node.x; y = node.y; len = node.size;

12}

13 update() {this.moveTo(Input.mouse.x, Input.mouse.y)}

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

79727750

Date: 2025-08-06 19:16:00
Score: 3
Natty:
Report link
document.getElementById("Button").disabled = true;
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: C. Kearce

79727749

Date: 2025-08-06 19:16:00
Score: 1
Natty:
Report link

I used prebuilt aar,
If it is not available you can follow this

https://medium.com/@213maheta/ffmpeg-create-aar-file-add-it-into-android-project-7e069b0fe23f

i) Run below command on terminal

git clone https://github.com/arthenica/ffmpeg-kit.git
or Download source code from below link

https://github.com/arthenica/ffmpeg-kit

ii) Open termial & give path for Android SDK & NDK

export ANDROID_SDK_ROOT=/..your_path../Android/Sdk
export ANDROID_NDK_ROOT=/..your_path../Android/Sdk/ndk/25.1.8937393
iii) Run below command

./android.sh
iv) Go to dir

…./ffmpeg-kit/prebuilt/bundle-android-aar/
v) Copy ffmpeg-kit.aar & put it in to below path

project_name/app/libs/
vi) Add below line in your app gradle

dependencies {
    implementation(files("libs/ffmpeg-kit.aar"))
}
Reasons:
  • Blacklisted phrase (0.5): medium.com
  • Probably link only (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Arshad

79727742

Date: 2025-08-06 19:07:57
Score: 2
Natty:
Report link

I was able to make a patch at GenerateNode in PropertyCodeGenerator:

result.Type = type;

//Add this code
if (element.GenericReturnTypeIsNullable())
{
    var simpleType = type as RtSimpleTypeName;
    var genericArguments = simpleType.GenericArguments.Cast<RtSimpleTypeName>().ToArray();
    for (int i = 0; i < genericArguments.Length; i++)
    {
        var genericArgument = genericArguments[i];
        genericArguments[i] = new RtSimpleTypeName(genericArgument.TypeName + " | undefined");                    
    }
    result.Type = new RtSimpleTypeName(simpleType.TypeName, genericArguments);
}

This proves what I want to achieve is possible but unfortunately means I will have to make my own version of the library to accommodate this change.

Keep in mind the solution above is not 100% complete as it doesn't check the index of each generic argument, it only assumes if one is nullable then all are :) I leave this as an exercise for the readers...

If there is a better way please let me know so I am not reinventing the wheel.

Thank you!

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • RegEx Blacklisted phrase (2.5): please let me know
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • High reputation (-1):
Posted by: Jay

79727741

Date: 2025-08-06 19:06:57
Score: 4
Natty:
Report link

Same error, found this issue https://github.com/vercel/next.js/issues/81751 and decided to update next to newest 15.4.5 and it seems to work now

Reasons:
  • RegEx Blacklisted phrase (1): Same error
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: yuriystasiv

79727734

Date: 2025-08-06 19:01:55
Score: 0.5
Natty:
Report link

Depending on the reason, you will likely need to access local business directories, map APIs, or utilize data scraping tools to acquire business listings with geocodes (latitude and longitude) for a given area.

1. Use Google Maps API or Bing Places API

With business Google Map and Bing Places APIs, you can search for and retrieve classified businesses within a particular area, and they will return the results indicating business titles, locations, addresses, and geocodes. Of course, a developer key is a prerequisite.

2. Third-party Data Providers

Other websites, for instance, Data Axle or Yelp, Foursquare API, do provide their business datasets with geocodes but usually for a price.

3. Scraping Local Directories with Permission

Some public directories, for example, EZ Local, show businesses with their city and state but do not provide geocodes. However, if the business or geocoding address is offered, you can apply geocoding APIs for translating the address to latitude and longitude, such as Google’s.

Note:

Always check the conditions of service of sites such as EZ Local concerning their data policies before scraping or programmatically extracting data.

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

79727731

Date: 2025-08-06 18:57:50
Score: 7.5
Natty:
Report link

نیوشا علیپور است شماره ش را بده

Reasons:
  • Low length (2):
  • No code block (0.5):
  • Single line (0.5):
  • No latin characters (3.5):
  • Low reputation (1):
Posted by: Hamid Shakeri

79727729

Date: 2025-08-06 18:56:49
Score: 2.5
Natty:
Report link

It looks that the source originates from an example I wrote for a STM32World Tutorial video. IF you have not watched the video, I'd recommend that as it goes through the setup in STM32CubeMX. I don't see anything obviously wrong in your code, so most likely it is in the CubeMX setup.

https://www.youtube.com/watch?v=0N4ECamZw2k

The working example for STM32F405 is here: https://github.com/STM32World/stm32fun/tree/master/stm32world_dac1

Reasons:
  • Blacklisted phrase (1): youtube.com
  • No code block (0.5):
  • Low reputation (1):
Posted by: Lars Bøgild Thomsen

79727712

Date: 2025-08-06 18:39:46
Score: 1
Natty:
Report link

Instead of commenting out lines or manually editing expressions, you can filter elements directly in a vector:

x = [1,2,3,4,5];
total = sum(x(~ismember(x, [2 4])));  % Exclude 2 and 4 from the sum
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Matin Kourepaz

79727699

Date: 2025-08-06 18:24:42
Score: 0.5
Natty:
Report link

I have finally find a solution for the given issue. I will recommend you to use powershell with Az module to process the commands. Make sure you have installed the Az module in your powershell in order to perform the bash commands.

  1. First identify the app id for your registered application in the azure.

  2. Once you have the app id for me i faced an error where i was not able to read or access the certificate from Azure key vault because of error - "Caller is not authorized to perform action on resource.\r\nIf role assignments, deny assignments or role definitions were changed recently, please observe propagation time.

  3. To properly access the Key vault i would recommend to provide role based access on the app id for Key Vault Administrator and Key Vault Certificates Officer.

  4. Over here as your application is trying to access the key vault from your custom program you will have to provide role based access on the Service Principal. For more information please refer to -

https://learn.microsoft.com/en-us/azure/databricks/admin/users-groups/service-principals

  1. So consider your app needs an active Service principal and provide the access of required role to the given service principal.

  2. Commands to see and apply the role for your service principal is as follows-

    1. Verify if a service principal exists for the application:
      bash
    • az ad sp show --id [app-id]**

      If it fails with Service Principal not found then create it with

      az ad sp create --id [app-id]

    1. Once you have an active sp in your tenant then next step is to assign the role

      az role assignment create --assignee app-id/client-id --role "Key Vault Certificates Officer" --scope /subscriptions/[subscription-id]/resourcegroups/[resourcegroupname]/providers/Microsoft.KeyVault/vaults/[vault-name]

    2. az role assignment create --assignee app-id/client-id --role "Key Vault Administrator" --scope /subscriptions/[subscription-id]/resourcegroups/[resourcegroupname]/providers/Microsoft.KeyVault/vaults/[vault-name]

    3. If you have system managed identity enabled by default for Virtual Machine on azure then also add that app-id similarly with the command.

  3. Once you do this please wait 15-20 minutes approximately for the assignment of roles properly and test like sending emails after this, I did this for setting up certification based authentication for our Oauth2 setup.

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

79727697

Date: 2025-08-06 18:24:42
Score: 8.5
Natty: 7.5
Report link

Have you found a solution for this?

Reasons:
  • RegEx Blacklisted phrase (2.5): Have you found a solution for this
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Rodrigo Costanzo

79727689

Date: 2025-08-06 18:11:38
Score: 3
Natty:
Report link

Click the View Menu button and then select Show->Errors/Warnings on Project.

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

79727687

Date: 2025-08-06 18:09:38
Score: 2
Natty:
Report link

running with:

docker compose up -d

instead of:

docker-compose up -d
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: yawsin

79727682

Date: 2025-08-06 18:03:36
Score: 1
Natty:
Report link

If you were able to give each combination an item ID (outside of PBI desktop), and then use the sort column based on that specific ID, this would work.

For example,

ID Item - Classification Sizing - Classification Desired Order
BDK Bed King 1
BDQ Bed Queen 2
BSK Box Spring King 3
BSQ Box Spring Queen 4

You would then create the order column based on ID and "Sort by Column" with this the order.

If you only sorted on the "sizing" classification, all Kings will be grouped together, all Queens will be grouped together, etc. (which I'm sure you've already seen).

Another way to accomplish this (depending how you want to do it) would be a custom column using DAX that would look something like this:
(For just itemorder)
OrderColumn = IF(table[Item] = "Bed", 1
IF(table[Item] = "Box Spring", 2
...................)

OR

(For item AND size order)
OrderColumn = IF(AND(table[Item] = "Bed", table[Sizing] = "King"), 1
IF(AND(table[Item] = "Bed", table[Sizing] = "Queen"), 2
...................)

Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Filler text (0.5): ...................
  • Filler text (0): ...................
  • Low reputation (1):
Posted by: GetSmithed

79727679

Date: 2025-08-06 18:00:36
Score: 1
Natty:
Report link

Generate a realistic, high-resolution image that visually represents the following scene or concept in a natural, photorealistic style. The image should look like it belongs in a premium blog post—minimal, clear, and emotionally resonant—without any text, labels, or graphics. Scene to Visualize:[paste your text here] Visual Style & Composition:Use natural or ambient lighting that fits the tone of the scene (e.g., warm for cozy/home scenes, cool for modern/tech topics, bright for energetic content).Prioritize realism and believability—include depth, shadows, reflections, textures, and natural imperfections where appropriate.Background should either enhance the scene (if contextual) or be minimal/blurred to keep focus on the main elements.Use camera-like perspectives (eye-level, overhead, or close-up) depending on what best suits the scene.Avoid clutter. The image should feel clean and visually balanced, with a clear subject or focal point. Color & Tone:Stick to modern color palettes trending in blogs and digital publications: soft neutrals, warm tones, elegant muted hues, natural greens/blues, or high-contrast blacks and whites.Optional: add a subtle filter or lighting grade that gives the image a cinematic or editorial blog-style finish. Do NOT Include:No text or overlays of any kindNo branding, logos, watermarksNo cartoonish or unrealistic renderingsThe final result should feel like a high-end editorial photo or a lifestyle stock image used by top-tier blogs (like Medium, Substack, Notion templates, or branded blogs by Apple, Airbnb, etc.).

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

79727672

Date: 2025-08-06 17:53:34
Score: 1
Natty:
Report link
Python 3.13.2 (main, Feb  4 2025, 00:00:00) [GCC 14.2.1 20250110 (Red Hat 14.2.1-7)] on linux
Type "help", "copyright", "credits" or "license" for more information.
>>> import os
>>> import tempfile
>>> tempfile.gettempdir()
'/tmp'
>>> os.environ["TMP"] = "/tmp/xis"
>>> tempfile.gettempdir()
'/tmp'
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: muktdir stalwartsoft

79727650

Date: 2025-08-06 17:35:28
Score: 1
Natty:
Report link

There are perspectives to consider here.

Among the classes that implement the interface, there is greater coupling, but not as strong. This coupling is even stronger in versions prior to Java 8, in which classes that implement these features MUST be recompiled if any new functionality is added to the interface. Although classes must implement the functionality themselves, there is no dependency on the implementation of the functionality, just a set of functionalities to be implemented.

For those who use it, reusing the interface's functionalities through polymorphism is very good coupling and requires no modification.

And from the interface's perspective, there is a larger set of possible classes that can use the interface.

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

79727649

Date: 2025-08-06 17:35:28
Score: 3.5
Natty:
Report link

Did you end up having to combine your certs into one .pfx file and then using that in your .csdef file? e.g.

    <Certificates>
      <Certificate name="cert-fullchain" thumbprint="B50C067CEE2B0C3DF855AB2D92F4FE39D4E70F1E" thumbprintAlgorithm="sha1" />
    </Certificates>
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): Did you
  • Low reputation (1):
Posted by: jerry

79727647

Date: 2025-08-06 17:35:28
Score: 1
Natty:
Report link

set :

logging: console.log()

This way you will have all the queries logged on to the console, irrespective of what kind of query it is.

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

79727643

Date: 2025-08-06 17:31:27
Score: 1
Natty:
Report link

Place your properties in a location that loads before auto-configuration:

@SpringBootApplication
@PropertySource("classpath:/WEB-INF/my-web.properties")
public class MyApplication {
    public static void main(String[] args) {
        SpringApplication.run(MyApplication.class, args);
    }
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Cesar Saucedo

79727642

Date: 2025-08-06 17:31:27
Score: 1.5
Natty:
Report link
ol {
  overflow-x: auto;
  padding: 0;
  margin: 0;
  white-space: nowrap;
}

li {
  display: block;
  white-space: pre;
  min-width: 100%;
}
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Sagar S

79727638

Date: 2025-08-06 17:28:26
Score: 0.5
Natty:
Report link

Jimi's post helped a lot. I used the post to create a class that derives from Form like below and now scrolling works fine. Thank you Jimi!

[DesignerCategory("code")]
public class Myform:Form,IMessageFilter
{
   
   
        public Myform()
        {
          //  SetStyle(ControlStyles.UserMouse | ControlStyles.Selectable, true);
          this.AutoScroll = true;
          
        }

        protected override void OnHandleCreated(EventArgs e)
        {
            base.OnHandleCreated(e);
            Application.AddMessageFilter(this);

            VerticalScroll.LargeChange = 60;
            VerticalScroll.SmallChange = 20;
            HorizontalScroll.LargeChange = 60;
            HorizontalScroll.SmallChange = 20;
        }

        protected override void OnHandleDestroyed(EventArgs e)
        {
            Application.RemoveMessageFilter(this);
            base.OnHandleDestroyed(e);
        }

        protected override void WndProc(ref Message m)
        {
            base.WndProc(ref m);
            switch (m.Msg)
            {
                case WM_PAINT:
                case WM_ERASEBKGND:
                case WM_NCCALCSIZE:
                    if (DesignMode || !AutoScroll) break;
                    ShowScrollBar(this.Handle, SB_SHOW_BOTH, true); //was false
                    break;
                case WM_MOUSEWHEEL:
                    // Handle Mouse Wheel for other specific cases
                    int delta = (int)(m.WParam.ToInt64() >> 16);
                    int direction = Math.Sign(delta);
                    ShowScrollBar(this.Handle, SB_SHOW_BOTH, true); //was false
                break;
            }
        }

        public bool PreFilterMessage(ref Message m)
        {
            switch (m.Msg)
            {
                case WM_MOUSEWHEEL:
                case WM_MOUSEHWHEEL:
                    if (DesignMode || !AutoScroll) return false;
                    if (VerticalScroll.Maximum <= ClientSize.Height) return false;
                    // Should also check whether the ForegroundWindow matches the parent Form.
                    if (RectangleToScreen(ClientRectangle).Contains(MousePosition))
                    {
                        SendMessage(this.Handle, WM_MOUSEWHEEL, m.WParam, m.LParam);
                        return true;
                    }
                    break;
                case WM_LBUTTONDOWN:
                    // Pre-handle Left Mouse clicks for all child Controls
                    if (RectangleToScreen(ClientRectangle).Contains(MousePosition))
                    {
                        var mousePos = MousePosition;
                        // Inside our bounds but it's not our window
                        if (GetForegroundWindow() != TopLevelControl.Handle) return false;
                        // The hosted Control that contains the mouse pointer 
                        var ctrl = FromHandle(ChildWindowFromPoint(this.Handle, PointToClient(mousePos)));
                        // A child Control of the hosted Control that will be clicked 
                        // If no child Controls at that position the Parent's handle
                        var child = FromHandle(WindowFromPoint(mousePos));
                    }
                    return true;
                    // Eventually, if you don't want the message to reach the child  Control
                    // return true; 
            }
            return false;
        }

        private const int WM_PAINT = 0x000F;
        private const int WM_ERASEBKGND = 0x0014;
        private const int WM_NCCALCSIZE = 0x0083;
        private const int WM_LBUTTONDOWN = 0x0201;
        private const int WM_MOUSEWHEEL = 0x020A;
        private const int WM_MOUSEHWHEEL = 0x020E;
        private const int SB_SHOW_VERT = 0x1;
        private const int SB_SHOW_BOTH = 0x3;

        [DllImport("user32.dll", SetLastError = true)]
        private static extern bool ShowScrollBar(IntPtr hWnd, int wBar, bool bShow);

        [DllImport("user32.dll", CharSet = CharSet.Unicode, SetLastError = true)]
        private static extern int SendMessage(IntPtr hWnd, uint uMsg, IntPtr wParam, IntPtr lParam);

        [DllImport("user32.dll")]
        internal static extern IntPtr GetForegroundWindow();

        [DllImport("user32.dll")]
        internal static extern IntPtr WindowFromPoint(Point point);

        [DllImport("user32.dll")]
        internal static extern IntPtr ChildWindowFromPoint(IntPtr hWndParent, Point point);
    }
Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Kostas L

79727637

Date: 2025-08-06 17:28:26
Score: 0.5
Natty:
Report link

as long as DtoService.GetDtos() it is being used,using var context = new dtoContext(...) itcontext gets properly disposed of even though you're creating DtoService without DI. It's short-lived and doesn't hold resources, so there's no memory leak risk and no need to manually dispose of anything. MyService since you're not holding the EF context there, your provider pattern with DataService is a good way to avoid cluttering DI with multiple DB context services make sure you don’t accidentally hold onto instances of DtoService or the context longer than needed

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Dr Chamyoung

79727634

Date: 2025-08-06 17:27:26
Score: 2.5
Natty:
Report link

C is like Python, if you have 9 slots for an array, you will have 0 to 8 as indices. C is very serious about memory as it is a low-level language. You would have to allocate print vettore [8] if you are trying to access the last element.

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

79727619

Date: 2025-08-06 17:06:21
Score: 2
Natty:
Report link

For me it turned out to be necessary to manually copy the precompiled libraries from CefGlue/packages/cef.redist.linux64/120.1.8/CEF/ (from sources) to bin folder.

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

79727614

Date: 2025-08-06 17:03:20
Score: 3
Natty:
Report link

os.system("helpfile.pdf") goes to next line when file is open. It doesn't wait until user close it. So helpfile_btn is deactive only for a moment because the next line makes it working again. I don't think that it's possible to do with reader that select in system. In windows you can't get access to reader. And almost you don't know to witch. Acrobate? Chrome? Firefox... Maby don't do it or make reader a part of your программе?

Reasons:
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Эрик

79727610

Date: 2025-08-06 17:02:20
Score: 1.5
Natty:
Report link

I would suggest using QLoRA for fine tuning and try using a well defined format for the fine tuning data like :
{messages: [{"role" :"system", "content" : "......"}, {"role": "user", "content" : "...."}, {"role" : "response", "content" : "......"}]

Also try using a suitable optimizer during fine tuning like adamw

I could provide more detailed solution if you can share your fine tuning approach.

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

79727601

Date: 2025-08-06 16:57:18
Score: 2
Natty:
Report link

Successfully opened terminal window and executed commands using this code

# Open an xterminal in colab

!pip install colab-xterm

%load_ext colabxterm

%xterm

#Then ran following commands in window

curl -fsSL https://ollama.com/install.sh | sh

ollama serve & ollama pull llama3 & oll

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

79727595

Date: 2025-08-06 16:47:16
Score: 0.5
Natty:
Report link

You can check any conditions you want in the Exit block - like

if (TargetVessel==2) {
    PrepareLoading.take(agent);
}

However what happens to the agents that cannot be taken? You'd need some sort of control logic - most likely, you should only take from storage the agents that CAN be sent to the exit block. Thus, you are ensuring all agents that are finished storing.

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

79727586

Date: 2025-08-06 16:37:13
Score: 0.5
Natty:
Report link

Based on both answers above, this is the minimum code I could get it to work on .NET 8.

//1. Add SwaggerUI
app.UseSwaggerUI(c =>
{
  c.RoutePrefix = "api/something/else/swagger";
});

//2. Set BasePath
app.UsePathBase("/api/something/else");

//3. Add Swagger
app.UseSwagger();
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: user27465760

79727545

Date: 2025-08-06 16:02:04
Score: 2
Natty:
Report link

start your spring boot project from here:

https://start.spring.io/

enter image description here

get project.zip

unzip the project.zip

you can find: pom.xml

<?xml version="1.0" encoding="UTF-8"?>
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
    xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 https://maven.apache.org/xsd/maven-4.0.0.xsd">
    <modelVersion>4.0.0</modelVersion>
    <parent>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-parent</artifactId>
        <version>3.5.4</version>
        <relativePath/>
    </parent>
    <groupId>com.emea</groupId>
    <artifactId>project</artifactId>
    <version>0.0.1-SNAPSHOT</version>
    <name>project</name>
    <description>Demo project for Spring Boot</description>
    <properties>
        <java.version>21</java.version>
    </properties>
    <dependencies>
        <dependency>            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-web</artifactId>
        </dependency>

        <dependency>
            <groupId>org.projectlombok</groupId>
            <artifactId>lombok</artifactId>
            <optional>true</optional>
        </dependency>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-test</artifactId>
            <scope>test</scope>
        </dependency>
    </dependencies>

    <build>
        <plugins>
            <plugin>
                <groupId>org.apache.maven.plugins</groupId>
                <artifactId>maven-compiler-plugin</artifactId>
                <configuration>
                    <annotationProcessorPaths>
                        <path>
                            <groupId>org.projectlombok</groupId>
                            <artifactId>lombok</artifactId>
                        </path>
                    </annotationProcessorPaths>
                </configuration>
            </plugin>
            <plugin>
                <groupId>org.springframework.boot</groupId>
                <artifactId>spring-boot-maven-plugin</artifactId>
                <configuration>
                    <excludes>
                        <exclude>
                            <groupId>org.projectlombok</groupId>
                            <artifactId>lombok</artifactId>
                        </exclude>
                    </excludes>
                </configuration>
            </plugin>
        </plugins>
    </build>

</project>

(1) Use the spring-boot-maven-plugin to build the Spring Boot application JAR. Do not use the maven-jar-plugin.

(2) In the section of your pom.xml, do not manually specify the versions of dependencies that are already managed by Spring Boot (e.g., 3.5.3, 1.18.38, 6.2.9).

(3) You can use the mvn dependency:tree command to identify the libraries and versions that are already included by Spring Boot.

package and run:

package

mvn clean package

run

java -jar target/project-0.0.1-SNAPSHOT.jar

then everything is ok!

2025-08-06T23:52:06.643+08:00  INFO 17710 --- [project] [           main] com.emea.project.ProjectApplication      : Started ProjectApplication in 1.387 seconds (process running for 1.986)

To reproduce your issue, simply modify the pom.xml as follows:

add

<plugin>
    <groupId>org.apache.maven.plugins</groupId>
    <artifactId>maven-jar-plugin</artifactId>
    <version>3.3.0</version>
    <configuration>
        <archive>
            <manifest>
                <mainClass>${exec.mainClass}</mainClass>
            </manifest>
        </archive>
    </configuration>
</plugin>

remove

<plugin>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-maven-plugin</artifactId>
    <configuration>
        <excludes>
            <exclude>
                <groupId>org.projectlombok</groupId>
                <artifactId>lombok</artifactId>
            </exclude>
        </excludes>
    </configuration>
</plugin>

add

<exec.mainClass>com.emea.project.ProjectApplication</exec.mainClass>

into <properties>

modify ProjectApplication.java like yours.

package and run:

package

mvn clean package

run

java -jar target/project-0.0.1-SNAPSHOT.jar

then get the same error:

$ java -jar target/project-0.0.1-SNAPSHOT.jar
Exception in thread "main" java.lang.NoClassDefFoundError: org/slf4j/LoggerFactory
    at com.emea.project.ProjectApplication.<clinit>(ProjectApplication.java:11)
Caused by: java.lang.ClassNotFoundException: org.slf4j.LoggerFactory
    at java.base/jdk.internal.loader.BuiltinClassLoader.loadClass(BuiltinClassLoader.java:641)
    at java.base/jdk.internal.loader.ClassLoaders$AppClassLoader.loadClass(ClassLoaders.java:188)
    at java.base/java.lang.ClassLoader.loadClass(ClassLoader.java:526)
    ... 1 more

how to fix ?

Reasons:
  • Whitelisted phrase (-1.5): You can use
  • RegEx Blacklisted phrase (1.5): how to fix ?
  • Long answer (-1):
  • Has code block (-0.5):
  • Me too answer (2.5): get the same error
  • Ends in question mark (2):
  • High reputation (-1):
Posted by: life888888

79727539

Date: 2025-08-06 15:58:02
Score: 2
Natty:
Report link

On my end, I don't find the conversion to datetime mentioned by @piRSquared to be necessary. You can just do:

df[<column_name>] = df[<column_name>].astype(str)
df.to_dict('records')
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • User mentioned (1): @piRSquared
  • Low reputation (1):
Posted by: jo-L

79727537

Date: 2025-08-06 15:56:02
Score: 1.5
Natty:
Report link

Solution is to Check your Python version

MediaPipe only supports:

Python 3.7 to 3.11

i was trying with the 3.11.9 version of python then it installed successufuly

Reasons:
  • Whitelisted phrase (-1): Solution is
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Mohamed EL-FAILALI-LBALGHITI

79727529

Date: 2025-08-06 15:47:00
Score: 2.5
Natty:
Report link

Unsafe.AreSame is the less-unsafe equivalent of pointer equality.

Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Starts with a question (0.5): is the
  • Low reputation (0.5):
Posted by: James Groom

79727526

Date: 2025-08-06 15:45:00
Score: 2.5
Natty:
Report link

I have no IT background , but what i understood so far , a daemon is a background process that is continuously running to do certain tasks for client, but APIs are communication programs between programs or application.

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

79727520

Date: 2025-08-06 15:42:59
Score: 0.5
Natty:
Report link

If you're using Unity Catalog, you can now query columns easily with:

SELECT table_schema, table_name, ordinal_position, column_name, data_type, full_data_type
FROM main.information_schema.columns
ORDER BY 1,2,3;

Where main is the name of your catalog. You can read more about it here.

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

79727516

Date: 2025-08-06 15:40:58
Score: 3.5
Natty:
Report link

The reason is this class that changes the behaviour of Android classes manipulating the bytecode

https://cs.android.com/android-studio/platform/tools/base/+/mirror-goog-studio-main:build-system/builder/src/main/java/com/android/builder/testing/MockableJarGenerator.java;l=60?q=MockableJarGenerator&ss=android-studio/platform/tools/base

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

79727508

Date: 2025-08-06 15:30:56
Score: 3
Natty:
Report link

For me, adding "read_private_products" capability in WooCommerce v10.0.4 allowed a customer user to be able to read the products endpoint in v3 (/wp-json/wc/v3/products)

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

79727504

Date: 2025-08-06 15:28:55
Score: 3.5
Natty:
Report link

just pass --js=true flag in your command

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

79727495

Date: 2025-08-06 15:19:52
Score: 1.5
Natty:
Report link

Adding the following line to my config fixes it!

"editor.suggest.showReferences": false
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Théophile Wallez

79727492

Date: 2025-08-06 15:17:52
Score: 1
Natty:
Report link
with function row_count(tab_name in varchar2) return number as
    rc number;
begin
    execute immediate 'select count(*) from ' || tab_name into rc;
    return rc;
end;
select table_name, row_count(table_name) as row_count from all_tables
    where owner = 'owner';
/
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Uwe Fest

79727491

Date: 2025-08-06 15:16:51
Score: 0.5
Natty:
Report link

I see annotations on all panels in Grafana v11.3.1 (64b556c137) with Grafana as datasource for Annotation Queries with these steps

  1. create a manual annotation (point or range)
    1.1 click on a point in dashboard - not on time but there has to be a tooltip open
    1.2 select a range -> press CMD/Option (mac) before releasing -> create a range annotation

  2. Go to settings -> Annotations -> create a new annotation in Grafana -> leave Grafana as a source -> don't change anything

  3. Return to your Dashboard -> you see your initial manual annotation copied to all panels

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

79727483

Date: 2025-08-06 15:08:49
Score: 1.5
Natty:
Report link

Try this Check Blog

        if(Auth::guard('web')->check()){
            $user = Auth::guard('web')->user();
        }
Reasons:
  • Whitelisted phrase (-1): Try this
  • Probably link only (1):
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Savan Saman

79727478

Date: 2025-08-06 15:06:49
Score: 2.5
Natty:
Report link

I get this behavior when calling in using PSTN, however if you call directly through teams using the UPN of the resource account it should work. Probably a bug on Microsoft's side.

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

79727477

Date: 2025-08-06 15:06:49
Score: 0.5
Natty:
Report link

Try the SavePicture command.

Private Sub SaveActiveXImage()
    
    Dim filePath As String
    filePath = "your\filepath.jpg"
    
    SavePicture Picture:=Sheets("Sheet1").Image1.Picture, Filename:=filePath

End Sub

Full disclosure, this came from this forum post.

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

79727475

Date: 2025-08-06 15:05:49
Score: 2.5
Natty:
Report link

But Embarcadero's website clearly states that FastReport Embarcadero Edition is already included in Delphi 12 CE. So there should be no need for us to do anything but click Fastreport components in the tool palette.

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

79727461

Date: 2025-08-06 15:01:47
Score: 1.5
Natty:
Report link

I have found I needed to do the following:

If there isn't enough data to flesh out the requested number of frame bytes to return, return the truncated number of bytes extended with empty (0x00) bytes to equal the frame size. This extended data is returned with paContinue. This should keep the stream from being closed prematurely.

However, my code knows when no more output is expected, so I close the stream at that point. When new output is available, I check if the stream is inactive and attempt to start it. If this fails, I stop, close, and reopen the stream.

Reasons:
  • Blacklisted phrase (0.5): I need
  • Long answer (-0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: wnm3

79727453

Date: 2025-08-06 14:56:45
Score: 4
Natty:
Report link

i have found my problem, when xcodebuild is run with signing, he rebuild the Runner binary, but without he don't, so i need to select my xcode version before xcodebuil run

Reasons:
  • Blacklisted phrase (0.5): i need
  • Low length (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: user31216803

79727448

Date: 2025-08-06 14:54:45
Score: 1
Natty:
Report link

I had the exact same issue on my new 5070ti, was able to fix it by upgrading PyTorch to CUDA 12.8. For anyone who needs it, what I ran was:

pip install -U torch torchvision torchaudio --index-url https://download.pytorch.org/whl/cu128
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Xachaeus

79727444

Date: 2025-08-06 14:45:42
Score: 0.5
Natty:
Report link

In quarto, the following works for me:

[Download the data](data.csv){download=""}
Reasons:
  • Whitelisted phrase (-1): works for me
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Lisa DeBruine

79727432

Date: 2025-08-06 14:40:41
Score: 1
Natty:
Report link

I have found what was missing.

Queued notification will not work if the notifiable model is not persisted. This is not an issue when ShouldQueue is not implemented.

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

79727431

Date: 2025-08-06 14:40:41
Score: 2.5
Natty:
Report link

I ended up using

https://github.com/fivecar/react-native-draglist

This really saved me, and I now totally removed draggable flatlist from my project.

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

79727428

Date: 2025-08-06 14:36:40
Score: 1
Natty:
Report link

You can do it using EnumFeature.WRITE_ENUMS_TO_LOWERCASE since version 2.15.

Full example of ObjectMapper creation:

public static ObjectMapper createObjectMapper() {
    ObjectMapper objectMapper = new ObjectMapper();
    objectMapper.configure(EnumFeature.WRITE_ENUMS_TO_LOWERCASE, true);
    return objectMapper;
}
Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
Posted by: HereAndBeyond

79727427

Date: 2025-08-06 14:35:40
Score: 1
Natty:
Report link

You can do it using EnumFeature.WRITE_ENUMS_TO_LOWERCASE since version 2.15.

Full example of ObjectMapper creation:

public static ObjectMapper createObjectMapper() {
    ObjectMapper objectMapper = new ObjectMapper();
    objectMapper.configure(EnumFeature.WRITE_ENUMS_TO_LOWERCASE, true);
    return objectMapper;
}
Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
Posted by: HereAndBeyond

79727423

Date: 2025-08-06 14:33:39
Score: 0.5
Natty:
Report link
<style>
  * {
    list-style-type: none;
    margin: 0;
    padding: 0;
  }

  div, li {
    border: 1px solid rgb(142, 28, 47);
  }

  .header {
    display: grid;
    grid-template-columns: 5fr 1fr 1fr;
  }

  ul {
    display: flex;
    justify-content: space-between;
    margin-top: 10px;
  }
</style>

<div class="header">
  <div class="Search">Search</div>
  <div class="Alert">Alert</div>
  <div class="User Info">User Info</div>
  <div class="Intro">Hi There</div>
  <ul>
    <li>New</li>
    <li>Upload</li>
    <li>Share</li>
  </ul>
</div>
justify-items controls how items are aligned inside each individual grid cell, not how the items themselves are spaced in the container.
space-between is not a valid value for justify-items.
Reasons:
  • Blacklisted phrase (0.5): Hi There
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Abhishek Singh

79727419

Date: 2025-08-06 14:31:38
Score: 1.5
Natty:
Report link

You can just import keras instead of import tensorflow.keras (In my case, Tensorflow version 2.10.1 and Python 3.10.11 and keras version 2.10.0)

Example usage in vscode

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

79727416

Date: 2025-08-06 14:31:38
Score: 1
Natty:
Report link

I ran into such SSL-related issue with an old RabbitMQ.Client (version 3.5.7.0). Upgrading to a newer client (in my case 6.5.0.0 as I need to target .NET Framework 4.6.1) solved the issue without any code changes). The code was not specifying full Uri, but rather setting individual properties: HostName, Port, UserName, Password, VirtualHost.

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

79727406

Date: 2025-08-06 14:20:36
Score: 3
Natty:
Report link

Recheck kafka-offset topics. If you use AWS MSK, try to call the system topics differently.

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

79727398

Date: 2025-08-06 14:12:34
Score: 2
Natty:
Report link

You're building a FinTech app and using RootBeer for root detection, but it fails with Magisk + Zygisk + DenyList enabled, which hides root.

You're asking:

  1. How to detect root even with advanced hiding (Zygisk, DenyList)?

  2. What extra tools or methods can help bypass this obfuscation?

  3. How to block the app from running on such devices?

You're looking for stronger root detection to protect your app from tampered environments.

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

79727391

Date: 2025-08-06 14:04:32
Score: 0.5
Natty:
Report link
import numpy as np

def cofactor(A,r,c):
    nr, nc = A.shape
    B = np.zeros((nr-1,nc-1))
    for i in range(nr-1):
        for j in range(nc-1):
            s, t = i, j
            if i>=r:
                s = i+1
            if j>=c:
                t = j+1
            B[i,j] = A[s,t]
    return B

def rcdet(A):
    nr, nc = A.shape
    if nr == 1:
        return A[0,0]
    else:
        t = 0.0
        for j in range(nc):
            t += ((-1)**j)*A[0,j]*rcdet(cofactor(A,0,j))
        return t
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: J.Wetweerapong

79727383

Date: 2025-08-06 13:58:31
Score: 1.5
Natty:
Report link

I love Nextjs and I love Django, setting them up together takes the fun out of being dev. So, although I do think it is good to know how to set them up manually for experience, you should try nextjango.

nextjango.org

or just type “npx nextjango init” into the CLI and it does everything for you, as long as you have a package manager (npm pnpm yarn bun) and have Python installed on your machine, after running the command you only have to enter npm run dev (or your-package-manager run dev) and it starts both servers and does a server health check and displays the status on the Nextjs frontend homepage. It’s fast, and easy. Not much documentation yet as it’s very new, but it does work good and has extensive unit testing that has been done to ensure the integrity, you can check it out the GitHub too

Reasons:
  • Blacklisted phrase (0.5): check it out
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Joshua Mitchell

79727378

Date: 2025-08-06 13:55:29
Score: 10.5
Natty: 8
Report link

where you able to solve this? I have the same issue

Reasons:
  • Blacklisted phrase (1): I have the same issue
  • Blacklisted phrase (1): you able to solve
  • RegEx Blacklisted phrase (1.5): solve this?
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): I have the same issue
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): where you
  • Low reputation (1):
Posted by: Daan Jansen

79727377

Date: 2025-08-06 13:53:28
Score: 4.5
Natty:
Report link

I have the same problem, but my case is worst.

The org has more than thousands repositories and include all repos into the credential is not an option.
I would love to know if there is other way to solve this.

Reasons:
  • Blacklisted phrase (1): I have the same problem
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I have the same problem
Posted by: JonatasTeixeira

79727372

Date: 2025-08-06 13:51:27
Score: 2
Natty:
Report link

I figured it out! Had to check Yes in the Tax Schedule for North Carolina.

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

79727361

Date: 2025-08-06 13:41:25
Score: 2.5
Natty:
Report link

React state updates are asynchronous, so UI changes might not appear instantly if you're not reflecting the state visually. To show the active (clicked) button right away, use a separate state (like clickedOption) and conditionally apply a CSS class to highlight the selected button.

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

79727360

Date: 2025-08-06 13:41:25
Score: 2
Natty:
Report link

From my testing, it looks like PDAL isn't currently supported by Ubuntu 24.04. The only way I was able to get PDAL working was to revert to 22.04. Not sure if this will transfer over to QGIS, but I suspect that it will since QGIS is simply calling PDAL functions.

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

79727359

Date: 2025-08-06 13:41:25
Score: 3.5
Natty:
Report link

This might be helpful for you auto-type-code, it has many great options

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

79727357

Date: 2025-08-06 13:38:24
Score: 1.5
Natty:
Report link

Answer based on the comment of @jon-spring and ggplot2 documentation:

You can duplicate the x-axis by defining a secondary x-axis in the scale_x_* call. For example: scale_x_continuous(sec.axis = dup_axis())

The breaks, labels, and title of the duplicated axis can be formatted via dup_axis() arguments.

Using the iris dataset:

library(ggplot2)
ggplot(iris, aes(Sepal.Length, Sepal.Width)) +
    geom_point() +
    scale_x_continuous(sec.axis = dup_axis(name="example title", breaks=c(5, 5.5, 6)))

iris dataset example of secondary x-axis

The same procedure is possible also for y-axis.

Reasons:
  • Probably link only (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @jon-spring
  • Low reputation (0.5):
Posted by: ppoyk

79727352

Date: 2025-08-06 13:34:23
Score: 3.5
Natty:
Report link

Try this. It works. Clearly described all steps to reproduce.

https://medium.com/@dmitry.ivanov.iamm/auth-an-expo-react-native-ios-app-with-nextauth-702c2c71004f

Reasons:
  • Blacklisted phrase (0.5): medium.com
  • Whitelisted phrase (-1): Try this
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Дмитрий Иванов

79727338

Date: 2025-08-06 13:25:20
Score: 2.5
Natty:
Report link

It can be appropriate (example described here where the goal is to make more urgent parts of the page render earlier), but probably not in the situation you describe. As another answer hints, you don't seem to provide valid arguments for doing that in your situation.

Reasons:
  • RegEx Blacklisted phrase (2): urgent
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: root

79727327

Date: 2025-08-06 13:19:18
Score: 3
Natty:
Report link

It simply does not work, the tool doesn’t even bother storing remaining work for completed cards and their date of completion, as @Roland pointed out, even Microsoft’s own documentation shows 0% completion in their screenshots. And yes, this was reported on MS forums — their response? 'Not a bug.' Apparently, you're just supposed to switch to 'Count of Work Items' because otherwise, it’ll always sit at 0%. My hate for Microsoft grows stronger every day.

Reasons:
  • No code block (0.5):
  • Contains question mark (0.5):
  • User mentioned (1): @Roland
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: brodrigs

79727320

Date: 2025-08-06 13:14:16
Score: 1
Natty:
Report link

In angular 20 try to set --mat-progress-bar-active-indicator-color to set value.

--mat-progress-bar-active-indicator-color : red!important;

If anyone thinking how I get that I just changed its calculated css in browser and backtrack then get which file defines that and get this variable.

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

79727317

Date: 2025-08-06 13:10:15
Score: 2.5
Natty:
Report link

Worked for me. Remove Min SDK version on all modules.

Reasons:
  • Whitelisted phrase (-1): Worked for me
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: M. Diana

79727309

Date: 2025-08-06 12:57:13
Score: 0.5
Natty:
Report link

Try like this.

$builder->when(! $builder->getQuery()->unions
               && is_null($builder->getQuery()->aggregate),
    function ($query) {
        $query->orderBy('priority');
    }
);
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Kaushik Thakkar

79727304

Date: 2025-08-06 12:52:11
Score: 6.5
Natty: 7
Report link

Struggling with the same issue ( i am logged in - no captcha ) when visiting a user profile page - captcha before feed gets loaded. This doesnt happen local only on my virtual machine setup (where the browser runs headless) . Even with installing a virtual display on the vm to run non headless same issue. Did you manage to find a solution ? I am using Nodriver (follow-up of UC ) .. kind regards

Reasons:
  • Blacklisted phrase (1): regards
  • RegEx Blacklisted phrase (3): Did you manage to find a solution
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Van Zelie

79727302

Date: 2025-08-06 12:50:10
Score: 1.5
Natty:
Report link

Check out Mp3tag. It's a cool little tool that lets you edit stuff like the title, artist, album, year, cover, etc. It's only about 16 MB and it's totally free for Windows.

Plus, you can update tags for all the files in a folder with just one click. Super handy!

Microsoft Store (Free) - https://apps.microsoft.com/detail/9nn77tcq1nc8
AppStore (25$) - https://apps.apple.com/us/app/mp3tag/id1532597159?mt=12

The official webpage - https://www.mp3tag.de/en/

Mp3tag preview picture - https://i.sstatic.net/3KrEPjTl.png

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

79727298

Date: 2025-08-06 12:46:09
Score: 1
Natty:
Report link

try using reportLevelFilters list in below format instead of basic filter format.

{
  "format": "PDF",
  "powerBIReportConfiguration": {
    "reportLevelFilters": [
      {
        "filter": "TableName/FieldName eq 'Value'"
      }
    ]
  }
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Nagaraj Devadiga

79727279

Date: 2025-08-06 12:38:07
Score: 3
Natty:
Report link

Turns out the implementation of my code in the OP is correct. The issue, as pointed out by @feras in the comments, was with curl, which uses a buffer. By default, the data is only returned when the buffer is full, or a newline character is encountered. Setting `--no-buffer` solved the issue.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • User mentioned (1): @feras
  • Self-answer (0.5):
  • Single line (0.5):
Posted by: sander

79727276

Date: 2025-08-06 12:34:06
Score: 1
Natty:
Report link

There is no way to do that. With ExpressionsBasedModel you do not model constant parts of any expression (constraint or objective).

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

79727271

Date: 2025-08-06 12:32:05
Score: 4
Natty:
Report link

The text of this answer was originally written by khmarbaise in a comment.

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

79727270

Date: 2025-08-06 12:31:04
Score: 2
Natty:
Report link

Here is the issue .

Tldr, LineageOS builds its ROM as userdebug. However, Android Studio assumes that devices with non-user build type have su executable when using APP Inspector and Layout Inspector.

So I make a simple Magisk module to workaround it. Use at your own risk.

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

79727269

Date: 2025-08-06 12:30:04
Score: 1.5
Natty:
Report link

You can directly apply the html header tags is blazor component like "<h1>hello, buddy</h1>".

I hope it will help you.

Reasons:
  • Whitelisted phrase (-1): hope it will help
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Balkrishna panda

79727259

Date: 2025-08-06 12:21:02
Score: 1.5
Natty:
Report link

Acknowledging the warnings in the other answer, if you have git and want to apply a template over the top of an existing project, simply run cookiecutter with the -f flag. Make sure the output directory matches your target directory. Once that's done, run a git diff and decide what you want to keep.

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

79727258

Date: 2025-08-06 12:20:01
Score: 0.5
Natty:
Report link

Building from commandline, add -ubtargs"-MyArgument"
In Target.cs, read them like so, for example :

[CommandLine(Prefix = "-MyArgument")] 
public bool MyArgument = false;

and then make it a definition like this:

ProjectDefinitions.Add(MyArgument ? "MYARG=1" : "MYARG=0");
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: karmington