79383852

Date: 2025-01-24 09:38:26
Score: 1
Natty:
Report link

The probable cause of this issue is the use of ClipRRect. Repeated ClipRRect widgets can cause performance issues. The same applies to the Opacity widget as well.

Additionally, in your NetworkImage operations, using services like CachedNetworkImage (or implementing your own solution) can be beneficial for performance.

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

79383847

Date: 2025-01-24 09:38:26
Score: 2
Natty:
Report link

To show miliseconds in Graphs you need to remove / do not set the "time grain". If the data contains a timestamp with miliseconds it should now show up. (only tested with the table graph, smooth line graph). Tested with Apache Druid as the Database Related:

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

79383846

Date: 2025-01-24 09:37:25
Score: 1
Natty:
Report link

For tx.upgrade(), adding --ignore-chain to the build command helped me to achieve same digest as generated by upgrade --dry-run and solved the PublishErrorNonZeroAddress for package upgrading.

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

79383823

Date: 2025-01-24 09:28:21
Score: 12 🚩
Natty:
Report link
@Ashwani Garg
https://stackoverflow.com/a/50740694/23006962
    
I have the same problem as Ishan. 
As a client, I would like to read and write device values from a test server. From my first test server: 

https://sourceforge.net/projects/bacnetserver/ 

I got at least the answer that a device with its device ID after I added this option .withReuseAddress(true) to my IpNetwork. However, I get a BADTimeOut in this line:

DiscoveryUtils.getExtendedDeviceInformation(localDevice, device);

With my second test server BACsim from PolarSoft® Inc. and the same code I get the error message: java.net.BindException: Address already in use: Cannot bind. 

I am completely new to the Bacnet scene and was wondering why I need a LocalDevice as a client that only wants to read and write values from actual devices in the server.

Here is all my code:

IpNetwork network = new IpNetworkBuilder()
                .withLocalBindAddress("192.168.XX.X")
                .withBroadcast("192.168.56.X", 24)
                .withPort(47808)
                .withReuseAddress(true)
                .build();

        DefaultTransport transport = new DefaultTransport(network);
//        transport.setTimeout(1000);
//        transport.setSegTimeout(500);
        final LocalDevice localDevice = new LocalDevice(1, transport);
        System.out.println("Device: " + localDevice);
        
        localDevice.getEventHandler().addListener(new DeviceEventAdapter() {
            @Override
            public void iAmReceived(RemoteDevice device) {
                System.out.println("Discovered device " + device);

                new Thread(new Runnable() {
                    @Override
                    public void run() {
                        try {
                            try {

                               DiscoveryUtils.getExtendedDeviceInformation(localDevice, device);
                            } catch (BACnetException e) {
                                e.printStackTrace();
                            }
                            System.out.println(device.getName() + " " + device.getVendorName() + " " + device.getModelName() + " " + device.getAddress());

                            ReadPropertyAck ack = localDevice.send(device, new ReadPropertyRequest(device.getObjectIdentifier(), PropertyIdentifier.objectList)).get();
                            SequenceOf<ObjectIdentifier> value = ack.getValue();

                            for (ObjectIdentifier id : value) {
                                List<ReadAccessSpecification> specs = new ArrayList<>();
                                specs.add(new ReadAccessSpecification(id, PropertyIdentifier.presentValue));
                                specs.add(new ReadAccessSpecification(id, PropertyIdentifier.units));
                                specs.add(new ReadAccessSpecification(id, PropertyIdentifier.objectName));
                                specs.add(new ReadAccessSpecification(id, PropertyIdentifier.description));
                                specs.add(new ReadAccessSpecification(id, PropertyIdentifier.objectType));
                                ReadPropertyMultipleRequest multipleRequest = new ReadPropertyMultipleRequest(new SequenceOf<>(specs));

                                ReadPropertyMultipleAck send = localDevice.send(device, multipleRequest).get();
                                SequenceOf<ReadAccessResult> readAccessResults = send.getListOfReadAccessResults();

                                System.out.print(id.getInstanceNumber() + " " + id.getObjectType() + ", ");
                                for (ReadAccessResult result : readAccessResults) {
                                    for (ReadAccessResult.Result r : result.getListOfResults()) {
                                        System.out.print(r.getReadResult() + ", ");
                                    }
                                }
                                System.out.println();
                            }

                            ObjectIdentifier mode = new ObjectIdentifier(ObjectType.analogValue, 11);

                            ServiceFuture send = localDevice.send(device, new WritePropertyRequest(mode, PropertyIdentifier.presentValue, null, new Real(2), null));
                            System.out.println(send.getClass());
                            System.out.println(send.get().getClass());

                        } catch (ErrorAPDUException e) {
                            System.out.println("Could not read value " + e.getApdu().getError() + " " + e);
                        } catch (BACnetException e) {
                            e.printStackTrace();
                        }
                    }
                }).start();
            }

            @Override
            public void iHaveReceived(RemoteDevice device, RemoteObject object) {
                System.out.println("Value reported " + device + " " + object);
            }
        });

        try {
            localDevice.initialize();
        } catch (Exception e) {
            e.printStackTrace();
        }
        localDevice.sendGlobalBroadcast(new WhoIsRequest());

        List<RemoteDevice> remoteDevices = localDevice.getRemoteDevices();
        for (RemoteDevice device : remoteDevices) {
            System.out.println("Remote dev " + device);
        }

        try {
            System.in.read();
        } catch (IOException e) {
            e.printStackTrace();
        }
        localDevice.terminate();


What am I doing wrong? I look forward to your answer! Many thanks in advance 
Reasons:
  • Blacklisted phrase (0.5): thanks
  • Blacklisted phrase (1): What am I doing wrong?
  • Blacklisted phrase (0.5): I need
  • Blacklisted phrase (1): I have the same problem
  • Blacklisted phrase (1): stackoverflow
  • Blacklisted phrase (2): was wondering
  • RegEx Blacklisted phrase (3): thanks in advance
  • RegEx Blacklisted phrase (1): I get the error
  • Long answer (-1):
  • Has code block (-0.5):
  • Me too answer (2.5): I have the same problem
  • Low reputation (1):
Posted by: Dominik

79383808

Date: 2025-01-24 09:22:19
Score: 1
Natty:
Report link

Yes, ClickHouse supports copying new data from one table to another using the INSERT INTO ... SELECT syntax.

INSERT INTO target_table SELECT * FROM source_table WHERE condition;
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: K.pen

79383806

Date: 2025-01-24 09:21:19
Score: 1
Natty:
Report link

-----I am checking database name like DBA and printing datbase name

EXEC sp_msforeachdb 'IF ''?'' like ''DBA%'' BEGIN select DB_NAME(DB_ID(''?'')) END'

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • High reputation (-1):
Posted by: Dinesh vishe

79383800

Date: 2025-01-24 09:19:19
Score: 2
Natty:
Report link

The problem is Hadoop need to know that it is Python executable. I used #!/usr/bin/env python in the beginning of both files i.e., mapper.py and redcer.py. It works!

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

79383798

Date: 2025-01-24 09:18:18
Score: 3.5
Natty:
Report link

Leave out the line that does not work! Also what version of OracleDB? too few information in order to make a useful answer.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: palmo 99

79383785

Date: 2025-01-24 09:10:17
Score: 1.5
Natty:
Report link
git clone <source-repo-url>
cd <repo-name>
git remote add destination <destination-repo-url>

git remote -v

git push destination <branch-name>

If All

git push destination --all
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: parmod

79383783

Date: 2025-01-24 09:10:17
Score: 3.5
Natty:
Report link

I also have the same problem. I tried the code provided as an answer, it works fine.

I just need an explanation of this part of the code that i didn't understand.

dfs = {country: df[df["country"] == country] for country in countries}

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): I also have the same problem
  • Low reputation (1):
Posted by: rodrigue nsinsulu

79383775

Date: 2025-01-24 09:09:17
Score: 1
Natty:
Report link

In general, Glide handles all error scenarios, and no extra logic from the application is required.

The best practice is to have a dedicated client for pub/sub since Glide initiates disconnections to ensure that all unsubscriptions succeed during topology updates.

Glide detects topology updates and with server errors, such as MOVED or connection error. Additionally, it periodically checks the health of the connections and auto-reconnects. It also periodically checks for topology updates by calling 'CLUSTER SLOTS'.

You can also review the docs at https://github.com/valkey-io/valkey-glide/wiki/General-Concepts#pubsub-support

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

79383772

Date: 2025-01-24 09:09:17
Score: 1
Natty:
Report link

In Ubuntu:

import os

def open_folder():
    try:
        path = "/home/your_username/Documents"
        os.system(f'xdg-open "{path}"')
    except Exception as e:
        print(f"An error occurred: {e}")

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

79383767

Date: 2025-01-24 09:06:16
Score: 3.5
Natty:
Report link

Thanks to Jalpa Panchal comment, i made it work as intended. I converted virtual directory to application in IIS Manager, and voila. Not sure why that didn't work before though.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Cyril

79383762

Date: 2025-01-24 09:03:15
Score: 1
Natty:
Report link

Hello there @Abrar!

Let me give you an example on what I am using on my projects, whenever I want to dynamically render UI elements based on mobile breakpoints.

I usually use the afterRender and afterNextRender functions which allows me to register a render callback.

Code example:

//
constructor() {
  afterNextRender(() => {
   this.someMethod1();
   this.someMethod2();
  });
}

// Client-side exclusive functionality
someMethod1() {
  console.log('window object is not undefined anymore!', window);
}

someMethod2() { ... }
//
Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Grecu Alexandru

79383755

Date: 2025-01-24 09:01:15
Score: 1
Natty:
Report link

This is how i was able to call a blocking non-async function in tauri-rust.

let _ = tauri::async_runtime::spawn_blocking(move || {
    println!("Listening...");
    let res = service.listen(tx);
});
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Abdush

79383753

Date: 2025-01-24 09:01:14
Score: 17.5
Natty: 7.5
Report link

@HelloWord, did you solve it? Could you explain how?

Thanks in advance.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • RegEx Blacklisted phrase (2.5): Could you explain how
  • RegEx Blacklisted phrase (3): Thanks in advance
  • RegEx Blacklisted phrase (3): did you solve it
  • RegEx Blacklisted phrase (1.5): solve it?
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • User mentioned (1): @HelloWord
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: DwarfCu

79383738

Date: 2025-01-24 08:54:12
Score: 1.5
Natty:
Report link

I think the answer of Raja Jahanzaib was the best option, but personnaly I just use style directly in my div as follows:

<div style={{ textDecoration: 'none', position: 'relative', top: '-35px', left: '17px' }}>

Maybe it's not the cleanest way but it's doing the job for now.

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

79383736

Date: 2025-01-24 08:54:12
Score: 1.5
Natty:
Report link

I also encountered the same issue. I tried disabling AdBlock and using incognito mode. I also tried different browsers, but the issue persisted. Eventually, I was able to upload it successfully by logging in through a VPN.

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

79383735

Date: 2025-01-24 08:54:12
Score: 2.5
Natty:
Report link

Its a known bug to a range of jdk17 builts. Please update to a newer release of the jdk17 should help.

https://bugs.java.com/bugdatabase/view_bug?bug_id=8319090

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

79383734

Date: 2025-01-24 08:53:12
Score: 2
Natty:
Report link

Since your BasicTextField is inside a LazyList item that supports drag reordering and swipe to dismiss, it is preventing the textfield from getting focus due to long press, but still allow normal taps to focus

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

79383709

Date: 2025-01-24 08:46:10
Score: 2
Natty:
Report link

resolved the issue by Setting the following...

Go to exe folder-->right click to select Properties-->go to Compatibility tab-->click on Change high DPI settings-->check "Override high DPI scaling behavior". and set "Scaling Performed by :" to System-->Click OK then Apply changes

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

79383703

Date: 2025-01-24 08:45:10
Score: 2.5
Natty:
Report link

import calendar from fpdf import FPDF

Crear un objeto PDF

pdf = FPDF()

Establecer el año para el calendario

year = 2025

Bucle a través de todos los meses

for month in range(1, 13): # Añadir una página para cada mes pdf.add_page()

# Establecer la fuente para el título
pdf.set_font("Arial", size = 12)

# Añadir el título del mes
pdf.cell(200, 10, txt = calendar.month_name[month] + " " + str(year), ln = True, align = 'C')

# Obtener el calendario del mes como una cadena de varias líneas
month_calendar = calendar.month(year, month)

# Establecer la fuente para el calendario
pdf.set_font("Arial", size = 10)

# Añadir el calendario del mes al PDF
pdf.multi_cell(0, 10, month_calendar)

Guardar el PDF con el nombre "calendar_2025.pdf"

pdf.output("calendar_2025.pdf")

print("El PDF con el calendario para el año 2025 se ha creado con éxito.")

Reasons:
  • Blacklisted phrase (2): Crear
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: user29345564

79383695

Date: 2025-01-24 08:41:09
Score: 0.5
Natty:
Report link

From the help of rich.console.Console:

highlight (bool, optional): Enable automatic highlighting. Defaults to True.

So just do:

from rich.console import Console
console = Console(highlight=False)
console.print("aaa [red]bbb [/red] 123 'ccc'")
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: globglogabgalab

79383688

Date: 2025-01-24 08:39:09
Score: 3
Natty:
Report link

I am struggling with the same issue, till now I have done following. I have setup Okta IDP in KeyCloak, and Added my keycloak redirect in Okta, plus some more setting.

Post this I am able to successfully authenticate the user using Okta, and I get the JWT token having following fields.

In the FirstLoginFlow, keycloak is searching for a user based on uid field and not sub field.. I have added explicit Mapper for my IDP in keycloak.

This is causing that keycloak is not able to find the user which is already present in my db.

We don't want to rely on userid provided by Okta, as our usecase requires that user needs to be white-listed in our system for successful login.

Any help how I can make keycloak to search for user based on email instead of the okta Uid

Federated user not found for provider 'oidc-local' and broker username '00umvmi9g5zb4ptsf5d7

Reasons:
  • Blacklisted phrase (1): I am struggling
  • Blacklisted phrase (1): Any help
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Ashish Gupta

79383671

Date: 2025-01-24 08:29:06
Score: 2
Natty:
Report link

From the answers of the respected Igor Tandetnik and Akhmed AEK, you can see that moving elements from a map to a vector is not a very good idea from an efficiency point of view. Look towards the views: enter link description here, enter link description here

Reasons:
  • Blacklisted phrase (0.5): enter link description here
  • Low length (0.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: lpv_pvl

79383643

Date: 2025-01-24 08:19:04
Score: 3.5
Natty:
Report link

Setting last_position to 0 solved the problem.

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

79383640

Date: 2025-01-24 08:18:04
Score: 1
Natty:
Report link

According to PyTorch's implementation, you cannot directly call linears[ind] when ind is neither an int nor a slice.

What you can do instead is:

out = input
for idx in ind:
    out = linears[idx](out)
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: quickfakename

79383628

Date: 2025-01-24 08:09:02
Score: 0.5
Natty:
Report link

you can use

window?.navigation?.canGoBack

To check the available options for window, you can do the following:

console.log(window);

enter image description here

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

79383626

Date: 2025-01-24 08:08:02
Score: 3
Natty:
Report link

you must update your streamlit: pip install --upgrade streamlit

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Huy Huỳnh

79383604

Date: 2025-01-24 07:57:00
Score: 1
Natty:
Report link

So I believe I have solved this now. Just took me a few more tweaks then I started to see my results I was looking for.

<?php
    $Url = 'https://serverquery.exfil-stats.de/';
    $json = file_get_contents($Url);
    $arr = json_decode($json, true);
    $json = $arr["servers"];
    
    foreach($json as $key){
        echo "<tr>";
        echo "<td>".$key["name"]."</td>";
        echo "<td>".$key["players"]."/".$key["maxPlayers"]."</td>";
        echo "<td>".$key["map"]."</td>";
        echo "<td>".$key["address"]."</td>";
        echo "<td>".$key["gamePort"]."</td>";
        echo "<td>".$key["queryPort"]."</td>";
        echo "<td>".$key["buildId"]."</td>";
        echo "</tr>";
    }
?>

I got this to work this way, if there is a better way or more practical way please let me know :)

Reasons:
  • Whitelisted phrase (-2): I have solved
  • RegEx Blacklisted phrase (2.5): please let me know
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: GuberX

79383603

Date: 2025-01-24 07:57:00
Score: 1
Natty:
Report link

Taken from https://github.com/zxing/zxing

The project is in maintenance mode, meaning, changes are driven by contributed patches. Only bug fixes and minor enhancements will be considered. The Barcode Scanner app can no longer be published, so it's unlikely any changes will be accepted for it. It does not work with Android 14 and will not be updated. Please don't file an issue for it. There is otherwise no active development or roadmap for this project. It is "DIY".

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

79383596

Date: 2025-01-24 07:53:59
Score: 1
Natty:
Report link

**The link tooltip cut off by edge of the React quill editor Conditionally handle: If the link is -negative on the left than replace it with 10px else default position. **

enter image description here

useEffect(() => {
const adjustTooltipPosition = () => {
    const tooltip = document.querySelector('.ql-tooltip');
    if (tooltip) {
        const left = parseFloat(tooltip.style.left) || 0;
        if (left < 0) {
            tooltip.style.left = '10px';
        }
    }
};

const observer = new MutationObserver(adjustTooltipPosition);
const editorContainer = document.querySelector('.ql-container');

if (editorContainer) {
    observer.observe(editorContainer, {
        childList: true,
        subtree: true,
        attributes: true,
    });
}

return () => {
    observer.disconnect();
};

}, []);

enter image description here enter image description here

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Jaydeep Solanki

79383591

Date: 2025-01-24 07:50:58
Score: 2.5
Natty:
Report link

WiX package (Versions 3.14.1 - 5.0.2) is on NuGet: https://www.nuget.org/packages/wix

For migration the FireGiant VisualStudio plugin is recommended.

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

79383581

Date: 2025-01-24 07:46:56
Score: 7.5 🚩
Natty:
Report link

Can you show us you User Entity ? the file must contain the decorator @Entity in order to recognize the file as a valid typeorm schema

Reasons:
  • RegEx Blacklisted phrase (2.5): Can you show us you
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • User mentioned (1): @Entity
  • Single line (0.5):
  • Starts with a question (0.5): Can you
  • Low reputation (1):
Posted by: Mathias Alonso

79383578

Date: 2025-01-24 07:44:56
Score: 0.5
Natty:
Report link

You have two dashboards and environments: regular/live and test mode. They each have their own API key and secret_key. You've put one set of keys in your .ENV file but made your product in the other. Your application's request is going to the environment where the product doesn't exist, so the price_id doesn't exist. Put the correct keys in your local/test .ENV.

Reasons:
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: Andrew Koper

79383569

Date: 2025-01-24 07:40:55
Score: 0.5
Natty:
Report link

It seems like you're on the right track, but there are a couple of things worth refining for better maintainability and to avoid unnecessary complexity.

Bookmarks and Cache-Control: Yes, you're correct—browsers like Chrome and Edge can sometimes serve an outdated index.html from the cache if the proper Cache-Control headers are not set. This is especially problematic with SPAs where the HTML can change, but assets like JS/CSS are cached with long expiry times.

Error Response Handling: The custom error response (403 → 200) can indeed affect caching behavior if you're not controlling the headers explicitly in CloudFront. Since you're using Lambda@Edge, consider placing the Cache-Control header logic in the origin (for index.html) or Lambda functions for both viewer request and response to ensure that index.html is always revalidated while other assets can be cached longer.

Best Caching Strategy: For index.html, the recommended approach is to always set Cache-Control: no-cache, must-revalidate to ensure browsers always check for updates. For static assets, version your files (e.g., main.abc123.js) and use Cache-Control: public, max-age=31536000, immutable for long-term caching. You can automate invalidation with CloudFront when index.html changes to prevent serving stale content.

A more robust approach would be:

Use CloudFront to manage caching as you have, but ensure that the specific headers are set for each file type (HTML vs assets). Utilize Lambda@Edge for cache control logic specifically for index.html and assets, but try to avoid the complexity of custom error handling unless necessary.

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

79383564

Date: 2025-01-24 07:37:54
Score: 5.5
Natty: 5.5
Report link

I have also encountered the same problem, have you processed the issue yet?

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

79383563

Date: 2025-01-24 07:36:53
Score: 11.5
Natty: 7
Report link

I can not draw anything in axisLeft. Did you find any solution ?

Reasons:
  • Blacklisted phrase (1.5): any solution
  • RegEx Blacklisted phrase (3): Did you find any solution
  • RegEx Blacklisted phrase (2): any solution ?
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: deniz baş

79383558

Date: 2025-01-24 07:34:53
Score: 1
Natty:
Report link

The most efficient formula is to use bitwise and operation:

overflowed=value & 0xFF #for unsigned
overflowed=((value + 128)&255)-128 #for signed
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: user3603546

79383557

Date: 2025-01-24 07:33:51
Score: 7 🚩
Natty:
Report link

I also encountered this problem. I want to transfer to another number when hitting the function_call, and I have also tried to use the twilio call update method that IObert mentioned before.

But unfortunately I saw an error in the Twilio Error logs: Error - 31951 Stream - Protocol - Invalid message.

If possible, can you share the code after the solution?

Reasons:
  • RegEx Blacklisted phrase (2.5): can you share the code
  • RegEx Blacklisted phrase (1): I want
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Monesy.H

79383549

Date: 2025-01-24 07:31:50
Score: 1
Natty:
Report link

It is highly likely that there is an issue in the process of uploading the FCM token during the first login.

FCM tokens are issued per device and remain consistent unless the app is uninstalled. Therefore, re-logging in does not typically change the FCM token.

In this case, notifications work after re-login, which suggests that the FCM token was successfully saved to the backend during the second login.

As such, I recommend reviewing the process for handling the FCM token during the initial login.

If you can share the details of how the FCM token is saved during login, I can provide a more specific explanation of the root cause.

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

79383547

Date: 2025-01-24 07:31:50
Score: 3
Natty:
Report link

In addition to Sohag's answer, for anyone who stumbles across this question: please notice, that RFC5245 (ICE) was obsoleted by RFC8445, as well as RFC5389 (STUN) by RFC8489.

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

79383541

Date: 2025-01-24 07:30:49
Score: 2.5
Natty:
Report link

As a combo of answers as comments from @mzjn and @Ajay :

Reasons:
  • Probably link only (1):
  • Low length (1):
  • Has code block (-0.5):
  • User mentioned (1): @mzjn
  • User mentioned (0): @Ajay
Posted by: dylanh724

79383536

Date: 2025-01-24 07:26:49
Score: 3.5
Natty:
Report link

Try JSON Crack, it's free and open-source.

Reasons:
  • Low length (2):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Aykut Saraç

79383526

Date: 2025-01-24 07:21:48
Score: 1
Natty:
Report link

Check Node.js Debugging Settings

Ensure you have the correct debugging configuration in your project settings: Open your project in Visual Studio. Go to Project Properties > Debug.

Verify that the Node.js executable path is correctly set. It should point to the Node.js runtime installed on your system. Ensure that the "Enable Node.js debugging" option is selected.

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

79383520

Date: 2025-01-24 07:19:47
Score: 0.5
Natty:
Report link

In order to send a MimeMessage using Apachae Camel AWS SES, you can just send the raw MimeMessage. There is no need to wrap it in a RawMessage nor a SendRawEmailRequest.

Sending a full SendRawEmailRequest object will be supported in newer Camel Versions (>= 4.10), as can be tracked here: https://issues.apache.org/jira/browse/CAMEL-21593.

Based upon the above stated, the working code for the example above would look like the following:

from("direct:sendEmail")
    .process(exchange -> {
        // Create MIME message with attachment
        MimeMessage mimeMessage = createMimeMessageWithAttachment();

        // Set RawMessage in the Camel body
        exchange.getIn().setBody(mimeMessage);
    })
    .to("aws2-ses://x");
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: rabitem

79383509

Date: 2025-01-24 07:12:46
Score: 0.5
Natty:
Report link

The ploblem was solved by adding @BeforeClass method with creating new JFXPanel();.

According the commemts.

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

79383508

Date: 2025-01-24 07:12:46
Score: 0.5
Natty:
Report link

This has been recommended by a maintainer (post):

HostRegexp(`.+`)

Make sure to use Traefik v3.

Note that the rule may be longer than domain only. At least in Docker rules are prioritized by length. So you might need to set a lower priority (number), for catchall to be matched last.

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

79383506

Date: 2025-01-24 07:12:46
Score: 3.5
Natty:
Report link

The answer from czkqq above worked for me: use "MultipleHiddenInput"

(unfortunattelly, I don't have enough reputation to upvote or comment. So I had to add another comment)

Reasons:
  • Blacklisted phrase (0.5): upvote
  • Whitelisted phrase (-1): worked for me
  • RegEx Blacklisted phrase (1.5): I don't have enough reputation
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Matt

79383504

Date: 2025-01-24 07:11:46
Score: 3.5
Natty:
Report link

Someone facing the same problem - I also faced the same problem after upgrading Windows from 10 to 11

  1. We need to click on the project Structure click project structure

  2. Then Add -> and Import Module import project

These will resolved my case(i.e. missing folders on Intellij imported project)

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): facing the same problem
Posted by: Susobhan Das

79383498

Date: 2025-01-24 07:10:46
Score: 0.5
Natty:
Report link

The other way is using result_format=datetime.

Here is the code example:

*** Settings ***
Library    DateTime

*** Variables ***
${a}     12/30/2023
${b}     12/16/2022
${Date_Format}         %m/%d/%Y

*** Test Cases ***
Test Date
    ${a_date}    Convert Date    ${a}    result_format=datetime    date_format=${Date_Format}
    ${b_date}    Convert Date    ${b}    result_format=datetime    date_format=${Date_Format}
    Log To Console   a is :${a_date}, b is:${b_date}
    IF    $a_date > $b_date
        Log To Console    a is greater than b
    ELSE
        Log To Console    b is greater than a
    END

The result is:result of the code

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

79383495

Date: 2025-01-24 07:09:45
Score: 1
Natty:
Report link

Please look the solution at the below site https://payhip.com/b/tnJy8 Hi ,

This is TCL parcer which converts SOAP XML to TCL dicionray .

<SOAP:Envelope

xmlns:SOAP='http://schemas.xmlsoap.org/soap/envelope/'>

SOAP:Header/

SOAP:Body

<ns1:Request xmlns:ns1='urn:/soap2/RM'>

ns1:v0

ns1:CompanyCode0000028</ns1:transfer>

ns1:NameTest</ns1:change>

ns1:text

ns1:textHello1</ns1:text>

</ns1:text>

ns1:text

ns1:textHello2</ns1:text>

</ns1:text>

</ns1:v0>

</ns1:Request>

</SOAP:Body>

</SOAP:Envelope>

OutPut-

CompanyCode 0000028 Name Test text {{text {Hello}} {text {Hello1}}}

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

79383489

Date: 2025-01-24 07:07:44
Score: 2
Natty:
Report link

I just simply test the "wss://gateway.discord.gg/?encoding=json&v=9&compress=zlib-stream" from devtool's network tab to send message myself, so i found that the "binary message" is discord's message. it looks like using some library to compress data. (https://discord.com/blog/how-discord-reduced-websocket-traffic-by-40-percent)

(yeah i know it is not a perfect answer so i wanna write at a comment but site says i can't, sorry)

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

79383482

Date: 2025-01-24 07:01:43
Score: 3.5
Natty:
Report link

Is this chaining of ViewModifiers solved in the mean time? Apple also does this where you have multiple modifiers specific to a view type.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): Is this
  • Low reputation (0.5):
Posted by: Christian Schuster

79383481

Date: 2025-01-24 07:00:43
Score: 2.5
Natty:
Report link

Got this error using a simple console application. After none of the above or any other solutions worked, I've changed the nuget package from System.DirectoryServices to System.DirectoryServices.Protocols, has a slighly different implementation (took example from co-pilot), but worked without any issues.

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

79383468

Date: 2025-01-24 06:52:40
Score: 6.5 🚩
Natty: 5
Report link

Getting both the buttons as paypal and Pay in 4, when I use the script as:

https://www.paypal.com/sdk/js?client-id=${clientId}&buyer-country=AU&currency=AUD&enable-funding=paylater

someone please suggest

Reasons:
  • RegEx Blacklisted phrase (2.5): please suggest
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: user29344115

79383465

Date: 2025-01-24 06:50:40
Score: 2.5
Natty:
Report link

Go to extension on vscode type "open in browser" in search bar install open in browser extension.

open in browser extension on vs code

after installation go to editor on hold control button on keyboard and press mouse key command palette

search open in browser in the search bar click on open in browser:this file and file will run on your machine default browser. make sure default browser on your machine is safari.open in browserresult on safari

Reasons:
  • Probably link only (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Y.Q

79383464

Date: 2025-01-24 06:50:40
Score: 0.5
Natty:
Report link

Was able to fix by instead doing a cd $APP_DIR prior to starting uvicorn:

ENTRYPOINT cd $APP_DIR && uvicorn $APP_APP --host 0.0.0.0 --port $PORT

A quick uvicorn --help implies --app-dir option is only relevant on where to load .py files by modifying PYTHONPATH. I'd reckon directories are treated differently

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

79383459

Date: 2025-01-24 06:48:39
Score: 1
Natty:
Report link

This issue likely happens due to how the browser handles event propagation and default actions when interacting with form elements like inputs. When you select text and keep clicking, the input element may be capturing the click event and preventing it from reaching other elements on the page, which can affect the click event listener on the page.

To fix this, you can try using event.stopPropagation() or event.preventDefault() inside your input event handler to manage event bubbling and ensure the page's click events still trigger. Alternatively, you can consider adjusting how the input handles the interaction with the click events.

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

79383457

Date: 2025-01-24 06:47:38
Score: 4
Natty:
Report link

When I used the simulator to test this method, I found that I didn't make any changes and just moved the app to the background, but this method was still called. It's strange.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): When I use
  • Low reputation (1):
Posted by: xieyu

79383456

Date: 2025-01-24 06:47:38
Score: 4.5
Natty: 5.5
Report link

use [keepInvalid]="true"

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

79383449

Date: 2025-01-24 06:44:37
Score: 1.5
Natty:
Report link

The Intersection_For_Loop is geared specifically for constructing intersections of polyhedra created inside a loop. `

$fn=30;
intersection_for(i=[0:1]){

    translate([0, 0, 0.8 * i])
    sphere(r = 1);
    
}

` lentil bean primitive made from two intersecting spheres

Confusingly, wrapping a for loop in an intersection creates a union.

$fn=30;
intersection(){
    for(i=[0:1]){
        translate([0, 0, 0.8 * i])
        sphere(r = 1);
    }
}

Ribosomal shape created with a union of two spheres

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

79383448

Date: 2025-01-24 06:44:37
Score: 0.5
Natty:
Report link

The problem arose because I was using the latest stable version of DaisyUI, which seemed to have compatibility issues with my current setup means tailwind v4 .

I found that the beta version of DaisyUI had a fix for this issue. Here are the steps to resolve it.

npm i -D daisyui@beta

in css file

@import "tailwindcss";
@plugin "daisyui";

and in vite.config.js

import { defineConfig } from 'vite'
import react from '@vitejs/plugin-react'
import tailwindcss from '@tailwindcss/vite'


// https://vite.dev/config/
export default defineConfig({
plugins: [react() , tailwindcss()],
})

this configuration is work for me.

there is no need to configure tailwind.config.js

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

79383430

Date: 2025-01-24 06:36:33
Score: 8 🚩
Natty:
Report link

Did anyone find a proper solution for this. I have nearly the same setup

FROM mcr.microsoft.com/dotnet/aspnet:9.0 AS base

# Temporär als Root arbeiten, um Bibliotheken zu installieren
#USER root

WORKDIR /app

# Installiere die Bibliothek und Tools für Kerberos-Authentifizierung
RUN apt-get update && apt-get install -y libkrb5-3 libgssapi-krb5-2 krb5-user krb5-config
RUN apt-get update && apt-get install -y libsasl2-modules-gssapi-mit libsasl2-modules gss-ntlmssp
RUN apt-get update && apt-get install -y iputils-ping dnsutils telnet ldap-utils
RUN rm -rf /var/lib/apt/lists/* 

# Kopiere die Kerberos-Konfiguration und Keytab-Dateien
COPY ["Brit/krb5.conf", "/etc/krb5.conf"]
COPY ["Brit/brit.keytab", "/etc/krb5.keytab"]

# Setze Umgebungsvariablen für Kerberos
ENV KRB5_CONFIG=/etc/krb5.conf
ENV KRB5_KTNAME=/etc/krb5.keytab
ENV KRB5CCNAME=/tmp/krb5cc_0

# Setze Keytab-Datei auf sichere Berechtigungen
RUN chmod 600 /etc/krb5.keytab \
    && chown ${APP_UID:-1000}:${APP_GID:-1000} /etc/krb5.keytab

# Wechsle zurück zum Nicht-Root-Benutzer
USER $APP_UID

EXPOSE 8080
EXPOSE 8081

FROM mcr.microsoft.com/dotnet/sdk:9.0 AS build
ARG BUILD_CONFIGURATION=Release
WORKDIR /src
COPY ["Brit/Brit.csproj", "Brit/"]
COPY ["ApplicationModels/ApplicationModels.csproj", "ApplicationModels/"]
COPY ["KeyTechServices/KeyTechServices.csproj", "KeyTechServices/"]
COPY ["StarfaceServices/StarfaceServices.csproj", "StarfaceServices/"]
RUN dotnet restore "Brit/Brit.csproj"
COPY . .
WORKDIR "/src/Brit"
RUN dotnet build "Brit.csproj" -c $BUILD_CONFIGURATION -o /app/build

FROM build AS publish
ARG BUILD_CONFIGURATION=Release
RUN dotnet publish "Brit.csproj" -c $BUILD_CONFIGURATION -o /app/publish /p:UseAppHost=false

FROM base AS final
WORKDIR /app
COPY --from=publish /app/publish .
ENTRYPOINT ["dotnet", "Brit.dll"]

and als my project looks nearly the same

using Brit.Components;
using Brit.Services;
using KeyTechServices.Extensions;
// using KeyTechServices.Services;
using Microsoft.AspNetCore.Authentication;
using Microsoft.AspNetCore.Authentication.Negotiate;
using MudBlazor.Services;
using StarfaceServices.Extensions;
using StarfaceServices.Services;

var builder = WebApplication.CreateBuilder(args);

builder.Services.AddMemoryCache();

// Add windows based authentication
builder.Services.AddAuthentication(NegotiateDefaults.AuthenticationScheme)
    .AddNegotiate();

// Add basic authorization
builder.Services.AddAuthorization(options => { options.FallbackPolicy = options.DefaultPolicy; });

// Add MudBlazor services
builder.Services.AddMudServices();

// Add services to the container.
builder.Services.AddRazorComponents()
    .AddInteractiveServerComponents();

// Add Cascading Authentication State
builder.Services.AddCascadingAuthenticationState();

// Add claims transformation
builder.Services.AddSingleton<IClaimsTransformation, ClaimsTransformationService>();

// Logging im HttpClient anpassen
builder.Logging.AddFilter("System.Net.Http.HttpClient", LogLevel.Warning);
builder.Logging.AddFilter("System.Net.Http", LogLevel.Warning);


builder.Services.AddHttpClient<StarfaceWebApiService>(client =>
    {
        client.BaseAddress = new Uri("http://srv-pbx/rest/");
    })
    .AddHttpMessageHandler<StarfaceAuthTokenHandler>();

builder.Services.AddScoped<StarfaceAuthTokenHandler>();


builder.Services.AddHttpContextAccessor();
builder.Services.AddKeyTechServices();
builder.Services.AddStarfaceServices();
builder.Services.AddTransient<ActiveDirectoryService>();
builder.Services.AddTransient<ThumbnailService>();
builder.Services.AddTransient<EmailService>();

var app = builder.Build();



// Configure the HTTP request pipeline.
if (!app.Environment.IsDevelopment())
{
    app.UseExceptionHandler("/Error", true);
    // The default HSTS value is 30 days. You may want to change this for production scenarios, see https://aka.ms/aspnetcore-hsts.
    app.UseHsts();
}

// Reihenfolge ist wichtig!
// app.UseHttpsRedirection();
app.UseStaticFiles();
// app.UseAuthentication(); // Fügen Sie dies hinzu
// app.UseAuthorization();
app.UseAntiforgery();
app.MapRazorComponents<App>()
    .AddInteractiveServerRenderMode();

app.Run();

kerberos authorization with

kinit -kt /etc/krb5.keytab HTTP/[email protected]

and

klist

works, so I think this is not the issue. When I start the app without the docker container on my desktop it works like a charm.

Does anyone have a solution for this?

Reasons:
  • RegEx Blacklisted phrase (3): Did anyone find a
  • RegEx Blacklisted phrase (3): Does anyone have a solution
  • Long answer (-1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): Did anyone find a
  • Low reputation (1):
Posted by: wenndemann

79383423

Date: 2025-01-24 06:34:33
Score: 2.5
Natty:
Report link

adding defaultTextProps={{selectable:true}} only works for android not for ios

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

79383404

Date: 2025-01-24 06:23:29
Score: 6.5 🚩
Natty: 5.5
Report link

Thank you @Nitin whose answer saved my day. I spent four hours on this problem and GPT, cursor's solution does not work. This answer works and really appreciate it! I specially created an account to express my gratitude. This is my first post, and I don’t yet have permission to comment directly.

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (2): saved my day
  • Blacklisted phrase (1): to comment
  • Low length (0.5):
  • No code block (0.5):
  • User mentioned (1): @Nitin
  • Low reputation (1):
Posted by: diao shizhe

79383402

Date: 2025-01-24 06:23:29
Score: 2.5
Natty:
Report link

The return type is not consider in function overloading since it can result in ambiguity of which function to call. For example:

int foo();
double foo();

int x = foo(); // Which one should be called?
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: Rud48

79383398

Date: 2025-01-24 06:21:27
Score: 8 🚩
Natty: 6.5
Report link

I have a question on this again. Why does it show the info on this method access modifier? Is it a bad practice to add public in @Bean access modifiers?

Reasons:
  • Blacklisted phrase (1.5): I have a question
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • User mentioned (1): @Bean
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: Ananya Chaudhary

79383391

Date: 2025-01-24 06:16:26
Score: 2.5
Natty:
Report link

You're trying to use the gcc-riscv64-unknown-elf , but you don't install it in your "apt install" line .

Add gcc-riscv64-unknown-elf to the apt install line.

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

79383375

Date: 2025-01-24 06:09:24
Score: 5
Natty:
Report link

I have seen that before. This link might help. https://wordpress.org/support/topic/is-that-a-malicious-code-in-sql/

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

79383370

Date: 2025-01-24 06:03:23
Score: 1
Natty:
Report link

Google Play's Photo and Video Permissions policy is requiring developers to submit declaration forms.

I don't think it's a coincidence that you asked this today and the compliance deadline was today. Either an extension was not requested, a declaration was not submitted, or a declaration was not approved.

If you go to App content in the Play Console you should be able to request an extension if the button is still present, or submit a declaration.

Here's another resource

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

79383369

Date: 2025-01-24 06:03:23
Score: 1.5
Natty:
Report link

Looked at the basescan, and it looks like you've tried adding the consumer, then try to send the request, it reverts, then as a problem solve it looks like you removed the consumer, and then tried to readd the consumer, rinse and repeat. The functions subscription should be loaded with $Link to handle the fee for sending the request. There should be a Button in the UI from the Functions subscription manager to add link.

Hoping this helps!

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

79383366

Date: 2025-01-24 06:02:23
Score: 2
Natty:
Report link

You can use the conditional format of the looker studio to invert the color.

Reasons:
  • Whitelisted phrase (-1.5): You can use
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: 김정환

79383360

Date: 2025-01-24 06:00:22
Score: 4
Natty: 4
Report link

codesandbox.io/p/sandbox/plate-custom-component-with-history-lkk5z3?file=%2Fsrc%2FApp.js%3A46%2C14-46%2C28

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: sandunr

79383351

Date: 2025-01-24 05:56:21
Score: 1.5
Natty:
Report link

Thanks for those who attempted to help, I managed to resolve the issue and is successful in starting the Quartz Application in clustered mode by removing this line and keeping the rest of the mandatory cluster related configuration as it is in the application.properties file.

org.quartz.jobstore.class = org.quartz.impl.jdbcjobstore.JobStoreTX
Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: whatkeepsmesane

79383348

Date: 2025-01-24 05:55:20
Score: 2.5
Natty:
Report link

Uninstalling windhawk was so correct, worked for me:)

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: Huzefa

79383344

Date: 2025-01-24 05:54:19
Score: 7 🚩
Natty:
Report link

oh, i have same problem troubled me for a long time

Reasons:
  • Blacklisted phrase (1): i have same problem
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): i have same problem
  • Single line (0.5):
  • Low reputation (1):
Posted by: FOCUS

79383343

Date: 2025-01-24 05:54:19
Score: 4.5
Natty: 4.5
Report link

Find Solution here. Laravel 11 Livewire 3: Bootstrap Modal Open/Close with Browser Events

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

79383341

Date: 2025-01-24 05:51:18
Score: 1
Natty:
Report link
<% if locals.msg { %>
  <h2><%=msg %></h2>
  <% } else {%>
  <h2>There is no messages</h2>
  <% } %>

You need use locals when the message is empty because ejs treat it as a variable. So that is why you get server 500 error.

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

79383326

Date: 2025-01-24 05:41:15
Score: 4
Natty:
Report link

What is your current version of Python? Because bpy suggests requiring version 3.11.

To use bpy without reverting to Python 3.7, you should install Python 3.11:

  1. Download and install Python 3.11.
  2. python3.11 -m pip install --upgrade pip
  3. python3.11 -m pip install bpy
Reasons:
  • Blacklisted phrase (1): What is your
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): What is you
  • Low reputation (1):
Posted by: sahil patel

79383310

Date: 2025-01-24 05:36:14
Score: 1.5
Natty:
Report link

I prefer git-delta.

By default, the tool gives top and bottom comparison. Use the -s flag for comparing side-by-side.

delta -s file1.h file2.h

enter image description here

Please find the package for your distribution in this installation page.

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

79383308

Date: 2025-01-24 05:35:14
Score: 2.5
Natty:
Report link

Unchecking the box helped me: Check if the server certificate has been revoked. And check the box for: TLS 1.0 TLS 1.1

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

79383306

Date: 2025-01-24 05:35:14
Score: 1.5
Natty:
Report link

I was struggling with the above error Cannot find module 'C:\Users\Shemooh\Desktop\Angulaprac\first_angularproject\node_modules@angular\cli\node_modules@schematics\angular\private\components.js' so what I did is that i first deleted node js but even after installing it back using the npm install function nothing happened so what i had forgotten to do is deleting the package lock.js file ensure you delete the two and then reinstall using npm install

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

79383296

Date: 2025-01-24 05:30:13
Score: 3
Natty:
Report link

I have tried to vote the answer above but it wouldn't let me. Thank you, it has solved my problem. apache-pack was missing. the last time I have used symfony when it was 2.8. The best framework.

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: safwan bakais

79383295

Date: 2025-01-24 05:30:13
Score: 1
Natty:
Report link

In Pinescript 6, if you want both to remove the box from the array AND delete the drawn box from the chart, you should implement in the last if scope:

(boxtop.get(i)).delete()
array.remove(boxTop, i) //or boxTop.remove(i)
(boxes.get(i)).delete()
array.remove(boxes, i) //or boxes.remove(i)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: X37V

79383294

Date: 2025-01-24 05:29:13
Score: 1
Natty:
Report link

Yes, backwards compatibility for tooling, such as eslint, is the main reason to include both "exports" & "main" rules.

If both rules are included, the "exports" rules takes precedence for tooling that supports it, according to the npm docs that OP linked to, so there's no reason not to include both if backwards compatibility can be maintained.

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

79383290

Date: 2025-01-24 05:28:12
Score: 3.5
Natty:
Report link

[enter image description here][1]

[1]: https://i.sstatic.net/o4YIoLA4.jpg مرحبا بك في وقت ثاني ان شاء والله Flow Flow so I'm so sorry to hear from

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: ابراهيم المعيني

79383287

Date: 2025-01-24 05:27:12
Score: 1.5
Natty:
Report link

Dataset format is change

{
  "systemInstruction": {
    "role": string,
    "parts": [
      {
        "text": string
      }
    ]
  },
  "contents": [
    {
      "role": string,
      "parts": [
        {
          // Union field data can be only one of the following:
          "text": string,
          "fileData": {
            "mimeType": string,
            "fileUri": string
          }
        }
      ]
    }
  ]
}

Refer document https://cloud.google.com/vertex-ai/generative-ai/docs/models/gemini-supervised-tuning-prepare

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

79383285

Date: 2025-01-24 05:26:12
Score: 2.5
Natty:
Report link

So the issue is that linkedIn's LinkedIn OpenID Connect, which provides opaque token, is supported only starting Keycloak's version 22 and greater New LinkedIn OpenID Connect social provider. I was using keycloak version 19 and worked on upgrading!

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

79383282

Date: 2025-01-24 05:25:12
Score: 1
Natty:
Report link

When the user minimizes the app (goes to the background):

onPause() preferred because it is getting called when the activity is no longer in the foreground, but still in memory. onStop() is called when the activity is no longer visible. Use onPause() only if you need to save data when the user leaves the activity, even if it’s temporarily (like when switching between activities or the app is minimized).

When the app is killed, onDestroy() is called. But, Android OS is not always aware that onDestroy() will always be called when the app is killed abruptly.

For cases like this, you can save data in onPause() or onStop() because these are more reliable for handling data persistence before the app is killed.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Starts with a question (0.5): When the use
  • Low reputation (0.5):
Posted by: Piyush Kumar

79383277

Date: 2025-01-24 05:21:11
Score: 1.5
Natty:
Report link

You'll also see this behavior if you have a Firebase app that can run in a browser and as an Android or iOS native app (like Ionic or React Native). If your device has the native app installed but you access the website in your device's browser and try to Sign in with Email from the browser version, your native app will pick up the attempt because it thinks the dynamic link is intended for the native app. Since the request didn't come from the native app (but rather from the browser), you'll get the "Item Not Found" page in the Play store.

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

79383274

Date: 2025-01-24 05:20:11
Score: 2
Natty:
Report link

If you are a beginner, it is recommended to first understand the Android lifecycle:android_lifecycle.png

The relevant documentation is here: The android lifecycle

According to your needs, I think you need onPause.

If you want to be called when the user kills the app, then you need to handle it in onDestroy in MainActivity.

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

79383273

Date: 2025-01-24 05:20:11
Score: 0.5
Natty:
Report link

---- service file

 getData(): Observable<any>  {
   return this.http.get(`${this.apiUrl}`);
  }

 updateData(query:any,data:any): Observable<any> {
    return this.http.put(`${this.apiUrl}/${query}`, data);
 }

 postData(data: any): Observable<any> {
   const headers = new HttpHeaders({
    'Content-Type': 'application/json',
   });
   return this.http.post(`${this.apiUrl}/add`, data, { headers });
 }

 deleteData(query:any): Observable<any> {
   return this.http.delete(`${this.apiUrl}/${query}`);
 }

---- .ts file

 this.apiService.getData(this.limit,skip).subscribe(
  (response) => {
    this.data = response.products;
    console.log('Data fetched successfully:', response.products);
  },
  (error) => {
    console.error('Error fetching data:', error);
  }
);
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: BIO GAMMER

79383272

Date: 2025-01-24 05:20:11
Score: 2.5
Natty:
Report link

I faced similar issue with Wix 3.5. The issue got resolved when I used "Add Reference" to add the dependent Project dlls in the Solution.Earlier, I was loading all those dependent dlls from a common shared folder to create a Setup file.

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

79383269

Date: 2025-01-24 05:18:10
Score: 2.5
Natty:
Report link

Indiabulls Estate Club in Sector 104 offers an unparalleled blend of luxury and sustainability. It features 3, 4, and 5 BHK apartments and is strategically located near a metro station and NCR's major landmarks. The project showcases landscaped green areas, seamless access, and pedestrian-friendly planning. A massive 90,000 sq. ft. clubhouse, advanced air quality systems, and ample surface parking ensures a premium living experience. This eco-conscious development redefines urban living with lush, open spaces and thoughtful amenities.

Reasons:
  • Contains signature (1):
  • Long answer (-0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: 100acress

79383268

Date: 2025-01-24 05:16:10
Score: 3
Natty:
Report link

You have posted a very good question, and i want to share my knowledge on it.

Cloud Adoption refers to the strategic decision to integrate cloud technologies into an organization to improve processes, scalability, and efficiency. It focuses on embracing cloud-native tools and transforming business operations.

Cloud Migration is the process of physically moving data, applications, or workloads from on-premises infrastructure or other environments to the cloud. It’s a subset of cloud adoption, emphasizing the technical transition.

For more knowledge and services you can visit my company website BM Infotrade

Reasons:
  • RegEx Blacklisted phrase (1): i want
  • Contains signature (1):
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: BM Infotrade

79383264

Date: 2025-01-24 05:14:08
Score: 4
Natty: 4
Report link

cool very cool super cool me like that verrrry cool

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: sigma male the appreciater

79383263

Date: 2025-01-24 05:13:08
Score: 0.5
Natty:
Report link

You were so close. It should be: Dictionary<string, int> d = new() { { "a", 1 } };

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

79383248

Date: 2025-01-24 04:56:05
Score: 1
Natty:
Report link

picture

Hello, I made the changes you mentioned, and now my JSON data is coming through correctly. However, I still can't display the images on the screen as I want. When I refresh the page with F5, the images appear, but I don't want to keep refreshing the page manually; I want it to work with AJAX.

Here is the code for you to review:

 private static readonly object _fileLock = new object();
 private static Dictionary<string, Dictionary<string, (string LocalFilePath, DateTime LastModified)>> _latestImages
     = new Dictionary<string, Dictionary<string, (string, DateTime)>>();

[HttpGet]
public JsonResult GetLatestImages()
{
    lock (_fileLock)
    {
        if (_latestImages == null || !_latestImages.Any())
        {
            return Json(new { Error = "Henüz resim bilgileri mevcut değil." });
        }

        var result = _latestImages.ToDictionary(
            project => project.Key,
            project => project.Value.ToDictionary(
                folder => folder.Key,
                folder => new
                {
                    item1 = folder.Value.LocalFilePath, // LocalFilePath
                    item2 = folder.Value.LastModified   // LastModified
                }
            )
        );

        return Json(result);
    }
}

    private async Task StartImageUpdateLoop()
    {
        while (true)
        {
            try
            {
                UpdateImages();
            }
            catch (Exception ex)
            {
                Console.WriteLine($"Arka plan güncelleme hatası: {ex.Message}");
            }

            await Task.Delay(5000);
        }
    }

   private void UpdateImages()
   {
       var projects = new Dictionary<string, string[]>
       {
           { "J74 PROJESI", new[] { "FEM_KAMERA_104", "FEM_KAMERA_103", "FEM_KAMERA_105" } }
       };

       var updatedImages = projects.ToDictionary(
           project => project.Key,
           project => project.Value.ToDictionary(
               folder => folder,
               folder => CopyLatestFileFromFtpToLocal(folder)
           )
       );

       lock (_fileLock)
       {
           _latestImages = updatedImages;

           Console.WriteLine("Güncellenen Resimler:");
           foreach (var project in _latestImages)
           {
               foreach (var folder in project.Value)
               {
                   Console.WriteLine($"Kamera: {folder.Key}, Yol: {folder.Value.LocalFilePath}, Tarih: {folder.Value.LastModified}");
               }
           }
       }
   }

and the script:

  <script>
     
      const lastUpdatedTimes = {};
      function checkImageTimeout() {
          const currentTime = new Date().getTime();
          for (const projectKey in lastUpdatedTimes) {
              for (const folderKey in lastUpdatedTimes[projectKey]) {
                  const lastUpdatedTime = lastUpdatedTimes[projectKey][folderKey];
                  const imageBox = $(`#image-${projectKey}-${folderKey}`);
                  const messageTag = imageBox.find('p.date');

                  if (currentTime - lastUpdatedTime > 45000) { // 45 saniyeden uzun süre geçtiyse
                      imageBox.find('img').attr('src', '').attr('alt', '');
                      messageTag.text('İmaj Bekleniyor..');
                  }
              }
          }
      }

      function updateImages() {
          // AJAX ile sunucudan veri çek
          $.ajax({
              url: '/Home/GetLatestImages', // API endpoint
              method: 'GET',
              dataType: 'json', // Gelen verinin formatı
              cache: false, // Cache'i kapat
              success: function (data) {
                  // Gelen veriyi işleme
                  console.log("Gelen JSON Verisi:", data);

                  for (const projectKey in data) {
                      const project = data[projectKey];

                      for (const folderKey in project) {
                          const folder = project[folderKey];
                          const imageBox = $(`#image-${projectKey}-${folderKey}`);
                          const imgTag = imageBox.find('img');
                          const dateTag = imageBox.find('.date');

                          if (folder.item1) {
                              // Yeni resim URL'si (Cache'i önlemek için zaman damgası eklenir)
                              const newImageSrc = `${folder.item1}?t=${new Date().getTime()}`;

                              // Eğer resim değiştiyse güncelle
                              if (imgTag.attr('src') !== newImageSrc) {
                                  imgTag
                                      .attr('src', newImageSrc)
                                      .attr('alt', 'Güncellenmiş resim')
                                      .off('error') // Eski error eventlerini kaldır
                                      .on('error', function () {
                                          console.error(`Resim yüklenemedi: ${newImageSrc}`);
                                          dateTag.text('Resim yüklenemedi.');
                                      });

                                  dateTag.text(`Son Çekilen Tarih: ${new Date(folder.item2).toLocaleString()}`);
                              }
                          } else {
                              // Resim yoksa 'İmaj Bekleniyor' mesajını göster
                              imgTag.attr('src', '').attr('alt', 'Resim bulunamadı');
                              dateTag.text('İmaj Bekleniyor..');
                          }
                      }
                  }
              },
              error: function (xhr, status, error) {
                  console.error("Resim güncelleme hatası:", error);
              }
          });
      }

      // Resimleri her 10 saniyede bir güncelle
      setInterval(updateImages, 10000);


      // Resim 45 saniyedir değişmediyse kontrol et
      setInterval(checkImageTimeout, 1000); // Her saniyede bir kontrol

  </script>
Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: MSEN

79383247

Date: 2025-01-24 04:55:04
Score: 5.5
Natty: 4.5
Report link

وش الي موجود صهيب و الله ما شاء عليك الله م عندي شي ثاني غير ذا الشي الي ما تقيل بس انا ما ياروحي والله انتي الحلوه والله اني احبك في ماب البيوت الي في الصوره دي من زمان ما وانا بعد اشتقت لك والله مو انا بلعب مع ولد خالي الي محمد محمد محمد بن سعود بن عبدالعزيز بن مساعد بن جلوي إداري في مرحبا مليون مبروك وربنا يتمم على الله كله خير ان كل خير كل خير والله لو انه انا الي قلت لك انا

Reasons:
  • No code block (0.5):
  • Single line (0.5):
  • No latin characters (3.5):
  • Low reputation (1):
Posted by: ابراهيم المعيني