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: ابراهيم المعيني

79383245

Date: 2025-01-24 04:53:03
Score: 0.5
Natty:
Report link

Check the value of sys.implementation.name.

name is the implementation’s identifier, e.g. 'cpython'. The actual string is defined by the Python implementation, but it is guaranteed to be lower case.

For IronPython sys.implementation.name is 'ironpython', for Python it is 'cpython'.

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

79383239

Date: 2025-01-24 04:45:02
Score: 0.5
Natty:
Report link

I can reproduce the same error with you: enter image description here

It could be caused by that there is no agent in your target pool, or the agent doesn't have capability required.

Even you have installed maven, java and configured environment on the agent, you need to restart the agent, after it's connected, it will rescan the agent capability.

Check again the agent on target DevOps pool, it will display the capability required: enter image description here

The pipeline works: enter image description here

Reasons:
  • Probably link only (1):
  • No code block (0.5):
  • High reputation (-1):
Posted by: wade zhou - MSFT

79383236

Date: 2025-01-24 04:44:02
Score: 2.5
Natty:
Report link

Most components in the MSL Fluid assume that the media is compressible, the media presented in this question has constant density, causing the initialisation to not complete correctly.

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

79383227

Date: 2025-01-24 04:37:01
Score: 2.5
Natty:
Report link

Vitepos WooCommerce Plugin streamlines point-of-sale operations for WooCommerce stores. It offers fast checkout, inventory management, multi-store support, and an intuitive interface for seamless retail management. Perfect for businesses!

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

79383226

Date: 2025-01-24 04:37:01
Score: 2
Natty:
Report link

When you create a new access key with createAccessKey, it can take a few seconds for the credentials to propagate across AWS services. If you try to use the new credentials immediately, AWS might not recognize them yet. Adding a small delay before using the credentials usually solves this issue.

Make sure to validate Region, IAM User Permissions, BucketName are correct and the userName matches the IAM User

Reasons:
  • No code block (0.5):
  • Starts with a question (0.5): When you
  • Low reputation (1):
Posted by: Joshi Kolikapudi

79383222

Date: 2025-01-24 04:32:00
Score: 0.5
Natty:
Report link

A better approach would be to define a hidden field say, my_hidden_field = serializer.HiddenField(default=None) in the Serializer class whose value can be obtained in following ways:

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

79383220

Date: 2025-01-24 04:32:00
Score: 2.5
Natty:
Report link

Because Flutter (Dart) is not proxy-aware, so you have to explicitly configure the proxy server for the Flutter app. You can refer the following instructions from my dev team.

https://github.com/TKSVN/flutter_with_jmeter_guide

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

79383217

Date: 2025-01-24 04:26:59
Score: 4.5
Natty: 4.5
Report link

Refer this website: https://www.hostinger.in/tutorials/how-to-redirect-a-domain I have read this blog. Check this blog can provide solution to your problem.

Reasons:
  • Blacklisted phrase (1): this blog
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Sanjay Kumar

79383215

Date: 2025-01-24 04:24:57
Score: 5
Natty:
Report link

I changed: DoCmd.OpenReport sRptName, acViewPreview to DoCmd.OpenReport sRptName, acViewNormal Then the report got displayed on the screen and a dialog opened up asking me to save the report as a PDF document.

My question now is how can I send a unique default filename to this dialog?

Reasons:
  • Blacklisted phrase (0.5): how can I
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Dale Owens

79383210

Date: 2025-01-24 04:20:57
Score: 0.5
Natty:
Report link

How did you add PATH? Did you reboot after adding PATH? I tried the following command in PowerShell and it works:

C:\Users\purofle [(unknown)]> $env:Path += 'C:\Users\purofle\Downloads\gradle-8.12\bin'
C:\Users\purofle [(unknown)]> gradle --version

Welcome to Gradle 8.12!

Here are the highlights of this release:
 - Enhanced error and warning reporting with the Problems API
 - File-system watching support on Alpine Linux
 - Build and test Swift 6 libraries and apps

For more details see https://docs.gradle.org/8.12/release-notes.html


------------------------------------------------------------
Gradle 8.12
------------------------------------------------------------

Build time:    2024-12-20 15:46:53 UTC
Revision:      a3cacb207fec727859be9354c1937da2e59004c1

Kotlin:        2.0.21
Groovy:        3.0.22
Ant:           Apache Ant(TM) version 1.10.15 compiled on August 25 2024
Launcher JVM:  17.0.13 (Azul Systems, Inc. 17.0.13+11-LTS)
Daemon JVM:    C:\Users\purofle\.jdks\azul-17.0.13 (no JDK specified, using current Java home)
OS:            Windows 11 10.0 amd64
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): How did you add
  • Low reputation (1):
Posted by: purofle

79383209

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

How do you implement blue-green deployment in your environment? Specifically, how are publishers and consumers configured? We are attempting blue-green deployment but are facing challenges with setting up federations, configuring publishers and consumers to interact with the new cluster, and transferring messages from the Blue environment to the Green one.

Reasons:
  • Blacklisted phrase (1): How do you
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): How do you
  • Low reputation (1):
Posted by: sudipto das

79383206

Date: 2025-01-24 04:14:54
Score: 0.5
Natty:
Report link

for running a python program or any program for that matter you have a create and save a file containing the code

new file

save a file

create

program

open terminal

execute

without saving a file be it any programming language, you can not execute it,

also to run a python open any terminal in any directory and type => python 'path\to\file.py', this executes the code if python is installed and correctly setup, also the file.py exists and the path is correct

using visual studio is one of the ways to create, save and execute python programs

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

79383203

Date: 2025-01-24 04:10:53
Score: 1.5
Natty:
Report link

If you are specifically asking for RubyMine then here you go!

RubyMine -> Settings -> search for Ruby SDK and Gems select the right version you want

Even you can do add/remove here.

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

79383200

Date: 2025-01-24 04:09:53
Score: 0.5
Natty:
Report link

This doesn't use adb, but the Automate app provided a script that can do this. It's activated by setting Automate as the voice assistant, and then activating the system voice assistant, and you get a popup with all the launch parameters for the foreground app, including extras.

You can also uses the App start block to write a custom capture method.

Reasons:
  • No code block (0.5):
Posted by: goweon

79383199

Date: 2025-01-24 04:08:53
Score: 0.5
Natty:
Report link

When doing UNION with SUPER datatype in redshift, it implicitly converts SUPER data to VARCHAR before calling REGEXP_SUBSTR. This way it loses hierarchical structure

Instead of that below query should work where we are maintaining SUPER struct till it reaches REGEXP_SUBSTR and then explicitly converting datatype of logs.attributes.http.url_details.path to VARCHAR.

with all_logs as (
    (select * from  "xxx"."xxx"."xxx" limit 10)
    union
    (select * from  "xxx"."xxx"."xxx" limit 10))
SELECT
    logs.attributes.http.method AS http_method,
    REGEXP_SUBSTR(logs.attributes.http.url_details.path::VARCHAR, '(firm/)?(v[0-9]/)')
    FROM all_logs as logs

reference: https://docs.aws.amazon.com/redshift/latest/dg/query-super.html#dynamic-typing-lax-processing

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Starts with a question (0.5): When doin
  • Low reputation (1):
Posted by: Rahul Kale

79383192

Date: 2025-01-24 04:01:51
Score: 5
Natty:
Report link

Thank you for your time and comments. I did try all the stuff before posting here, including upgrading all the libraries to the latest version (serenity, cucumber and lombok as well). It turns out there was one dependency that I hadn't added (which seemed to work out of the box in Java 17, but not so in Java 21) which was:

 <groupId>net.bytebuddy</groupId>
 <artifactId>byte-buddy</artifactId>
 <version>1.16.1</version>

Adding this has resolved the issue and the scripts are running well. I am new to both java and selenium/serenity, hence was wondering if the days I spent attempting the fix was done wrongly. I thank you all for your support and guidance. The help notes, especially about the upgrade, helped a lot since this time, I paid attention to the errors.

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (0.5): thank you
  • Blacklisted phrase (2): was wondering
  • RegEx Blacklisted phrase (1.5): I am new
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Stephen Prasad

79383182

Date: 2025-01-24 03:48:48
Score: 3
Natty:
Report link

This problem was occurring because of the python IntelliSense extension that I was using on vs code In the current version they have fixed it somehow But if somebody is facing an issue like this you can turn off your IntelliSense or just ignore the yellow line

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

79383179

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

instead of <bpmn:process id="simple-process" name="simple process" isExecutable="true">

use following

<bpmn:process id="simple-process" name="simple process" isExecutable="true" camunda:historyTimeToLive="7">

7 is number of days to retain the history so you can set according to your need.

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

79383177

Date: 2025-01-24 03:44:47
Score: 1.5
Natty:
Report link

You should update the following properties

android > gradle/wrapper > gradle-wrapper.properties > distributionUrl Replace the URL with this : https://services.gradle.org/distributions/gradle-**8.9**-all.zip

settings.gradle > plugin Replace it with this : id "com.android.application" version "8.7.1" apply false

Wait for some time and you'll be ready to go if this solution didn't work for you try to find the suitable versions

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

79383175

Date: 2025-01-24 03:42:46
Score: 3.5
Natty:
Report link

Accuracy: The proportion of correct predictions on the training set, I believe

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

79383174

Date: 2025-01-24 03:38:46
Score: 1
Natty:
Report link

App name can be set via following option

flink run-application -t yarn-application -D yarn.application.name="AppName" -c com.app.FlinkJob flink-job.jar
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Self-answer (0.5):
Posted by: on_the_shores_of_linux_sea

79383137

Date: 2025-01-24 03:03:40
Score: 2
Natty:
Report link

Back in 2015 when android were running whatever version they had at the time, and with oit super user access, i was able to always tra m anyone down to wothin 50 ft by using tracert in a command line followed by their phone number in the following format: ###.###.####. Right after id press enter it would start giving me gos coprdinates for sofferent cell towers and whichever tower it ended at, you could easily triangulate your target as mong as they had a cell phone and you had the number.

Reasons:
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Daniel Danimal Hlawacz

79383133

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

A concise way would be:

if( !!image_array?.length )

The readability might be a concern though.

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

79383114

Date: 2025-01-24 02:49:37
Score: 2
Natty:
Report link

I used to be able to connect to godaddy via Visual Studio ftp and do a copy files or move files, and select Compile All Files in Settings. Then, I just published it to "Files". The code behind would be there. Not sure if you can still do that. I know this thread is old. I guess you can get VS to compile the dll if you know the right settings.

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

79383109

Date: 2025-01-24 02:43:35
Score: 12
Natty: 7.5
Report link

i am facing the same issue with fedora and windows boot manager, did you solve the issue ?

Reasons:
  • RegEx Blacklisted phrase (3): did you solve the
  • RegEx Blacklisted phrase (1.5): solve the issue ?
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): i am facing the same issue
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: cruxi5

79383102

Date: 2025-01-24 02:36:33
Score: 2.5
Natty:
Report link

Finally, after following the Tailwind doc: https://tailwindcss.com/docs/installation/framework-guides/angular

Everything seems to work. Need to manually convert my config to the new way with @theme ....

Be sure to create the .postcssrc.json with the . at the beginning. The first time, I forgot it and got a lot of errors when doing ngserve.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • User mentioned (1): @theme
  • Low reputation (0.5):
Posted by: Pierre-D Savard

79383098

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

and others

I have an application running in Wince wrote in C#; successful ported to Android using maui.net, this application needs to be in background, others application will send message to this background application, for print labels and check bluetooth status (Does the printer have paper? Is it online? Is it connected?). Then, I'm investigating how to create an application that communicates with others applications. I saw this video on YouTube, and it helped me a lot to understand background process, IPC, Binder, AIDL. from YouTube:"This screencast comes from AnDevCon IV presentation by Aleksandar Gargenta on Dec 5th, 2012." I saw this video on January 23, 2025, I don't know until when this video will be available, I strongly encourage you to watch it. Android Binder IPC Framework

Reasons:
  • Blacklisted phrase (1): helped me a lot
  • Blacklisted phrase (1): this video
  • Long answer (-0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: antonio

79383096

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

I wrote MicroPie to solve my simple server needs. The repo has a bunch of examples, from simple to somewhat complex.

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

79383093

Date: 2025-01-24 02:27:30
Score: 1
Natty:
Report link

Model with instruct in their name indicates the model has been fine tuned to follow prompt instructions. It is usually fine tuned to be used for direct, task oriented instructions.

Here's a link that goes into more details: https://community.aws/content/2ZVa61RxToXUFzcuY8Hbut6L150/what-is-an-instruct-model?lang=en

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

79383081

Date: 2025-01-24 02:20:28
Score: 0.5
Natty:
Report link

Yes you do not need to have a real iOS device, but you have to use manual signing method (turn off the automatically manage signing option). To do manual signing, prepare a certificate and provisioning profile using your developer account at https://developer.apple.com/account/resources/certificates/list and then:

In xCode signing & capabilities, then use the file as a provisioning profile for your app.

You'll find the instruction guiding you very straightforward at the website.

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

79383076

Date: 2025-01-24 02:13:27
Score: 3.5
Natty:
Report link

Just noticed that OpenCV was wrongfully converting the codec of it's outputted file. Forcefully converting the .mp4 file with ffmpeg to use H.264 and AAC encoding fixed the issue entirely. But thanks to everyone who helped!

Reasons:
  • Blacklisted phrase (0.5): thanks
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Luís Felipe Araujo de Oliveira

79383073

Date: 2025-01-24 02:11:27
Score: 0.5
Natty:
Report link

Thanks Sérgio,

It was custom fields. We had a custom field in our Jira that prevented the call. I had to use the JUnit multipart api to get that sorted.

/ # curl -H "Content-Type: multipart/form-data" -X POST -F [email protected] -F [email protected] -F [email protected] -H "Authorization: Bearer $TOKEN" https://xray.cloud.getxray.app/api/v1/import/execution/junit/multipart
        {"id":"16736","key":"PRJ-199","self":"https://mydomain/rest/api/2/issue/136"}/ 
  #

So I ended up these information passed in from testIssueFields.json and testExec.json Thanks!

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Asanke

79383064

Date: 2025-01-24 02:04:25
Score: 4.5
Natty: 4
Report link

The riverpod package owner himself answered your questions refer to this link below https://github.com/rrousselGit/riverpod/discussions/3950#discussioncomment-11933898

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

79383061

Date: 2025-01-24 02:03:25
Score: 0.5
Natty:
Report link

You can run this command to have the expected behaviour:

git -c core.whitespace=cr-at-eol show

git -c allows you to override configuration parameters for the current command (it's not saved in the config).

If you want to read more about git -c: https://git-scm.com/docs/git#Documentation/git.txt--cltnamegtltvaluegt

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

79383054

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

leave the 2 fields empty in Container Template

1- Command to run 2- Arguments to pass to the command

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

79383046

Date: 2025-01-24 01:51:22
Score: 2
Natty:
Report link

Fetching token balances for wallet: 0xYourWalletAddress

Tokens with balances:

DAI: 123.456

USDC: 987.654

ETH: 0.00123

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: dr.mStar

79383037

Date: 2025-01-24 01:45:21
Score: 2
Natty:
Report link

Additionally, you could use the ICE dollar index with the GOOGLEFINANCE api built into Sheets. =GOOGLEFINANCE("NYICDX")

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

79383027

Date: 2025-01-24 01:35:18
Score: 2
Natty:
Report link

The best solution I've found is to wrap the FileNet API in a web service using .Net Framework 4.7.2 and call it from .Net Core using HTTP. All other approaches I've found so far are just too hack-ish. And, if IBM finally decides to upgrade to something more amenable to .Net Core, you should only need to update the web service.

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

79383026

Date: 2025-01-24 01:34:18
Score: 2
Natty:
Report link

You just cannot run server on Vercel, like using "npm run start" or "node build/server.js" for Adonis for example

You can see it directly in Vercel's guide if you need more information: https://vercel.com/guides/npm-run-start-not-working

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

79383023

Date: 2025-01-24 01:30:17
Score: 1.5
Natty:
Report link

This happened because DBeaver can't download driver via internet for some reason.

However you can install postgres driver manually by

  1. Download postgres driver (postgresql-42.X.X.jar) file from https://jdbc.postgresql.org/download/
  2. Put .JAR file into this Path (if there's no directory create it)

%APPDATA%\DBeaverData\drivers\maven\unknown\org.postgresql

  1. Try to connect Connection again.
Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Nothing is written

79383005

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

1. Ensure your versions of Node.js and npm are compatible with Tailwind CSS. Run below code in terminal to find the versions

node -v npm -v

and make sure Node.js: Use version 16.x or newer; npm: Use version 8.x or newer.

2. Clear npm Cache

Sometimes, a corrupted npm cache causes issues. Clear it by running the code below on terminal:

npm cache clean --force

3. Delete node_modules and Reinstall Dependencies Corrupted node_modules or package-lock.json files can lead to issues. Run below code one by one:

step 1:

rm -rf node_modules package-lock.json

step 2:

npm install

4. Install Tailwind CSS Properly

Run the following commands step-by-step:

Step 1: Install Tailwind CSS and related dependencies by running the below code:

npm install -D tailwindcss postcss autoprefixer

Step 2: Initialize Tailwind CSS configuration by running the below code:

npx tailwindcss init -p

The issue should be resolved by now.

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

79383003

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

I found a documentation for these config here https://ejsinfuego.github.io/xampp-send-email/

The one worked is smtp.gmail.com as host.

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

79382999

Date: 2025-01-24 01:15:13
Score: 1.5
Natty:
Report link

Turns out AutoHotKey is innocent, the culprit was the mouse I was using (Logitech M650)

It appears to send the XButton1 up/down command at once on release.

Switching to a different mouse fixed the issue and AHK works as expected.

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

79382991

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

Just set the initialRating parameter to -1

$('#barrating').barrating({
    initialRating: -1
});
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Raqib Kamaruddin

79382989

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

I went with --set-file:

helm install vector helm/vector --values helm/vector-agent/values.yaml -n my-namespace \
--set-file sinks.stackdriver.rawConfig=raw.config

https://helm.sh/docs/helm/helm_install/

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

79382987

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

The best approach for this problem is as follows:

Click Group By from the Transform Banner:

enter image description here

Group By: pick the columns that you need to keep their name, pick the "Median" operation (important!) and any other measures that you need (I, for example, needed "Count"):

enter image description here

Now that I have the "Median", AKA List.Median, I can easily change it to List.Percentile ([Value], 0.9). Right Click "Advanced Editor" and change the code accordingly:

enter image description here

And change the code in the "Grouped Rows" section from:

{"Per90th", each List.Median([Value]), type nullable number}}
To:
{"Per90th", each List.Percentile([Value],0.9), type nullable number}}
Reasons:
  • Probably link only (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Hila DG

79382986

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

The solution was to change the integration runtime of the blob storage account, used to stage the snowflake data, from the self hosted agent used in the source to an azure managed integration runtime.

enter image description here

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

79382981

Date: 2025-01-24 01:03:09
Score: 7 🚩
Natty:
Report link

Esse aviso geralmente ocorre quando há uma incompatibilidade entre a versão do Android Studio e as ferramentas de linha de comando (SDK tools) que você está utilizando. Para resolver isso, você pode tentar algumas abordagens:

No Android studio abra o SDK Tools e aperte o botão do canto inferior direito:

enter image description here

Depois disso é só escolher a última versão do command-line tools

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Blacklisted phrase (3): você
  • Blacklisted phrase (1): está
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Richard

79382980

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

This is what I do if a want full control over the number of white spaces in tab:

string tab = new string(' ', 3);
string message = $"{tab}My text";

Having control over white spaces is something that I find quite useful in personalized text layouts.

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Carlos Alberto Flores Onofre

79382976

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

You can stay on the new version. Use command line option "ocra test.rb --add-all-core --console --dll ruby_builtin_dlls\libgmp-10.dll"

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

79382975

Date: 2025-01-24 00:59:08
Score: 2
Natty:
Report link

Just url encode your password in the connection string and use it. That will alleviate the problem.

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

79382972

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

/sdcard/ca.crt). [



Blockquote


][2]

[2]: https:///sdcard/ca.crt).

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • No latin characters (0.5):
  • Low reputation (1):
Posted by: Yulian Kirilov

79382971

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

What would be best for URI containing '?' and '%'. HttpUtility.UrlEncode is not working as expected.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): What would
  • Low reputation (1):
Posted by: Dipesh Palod

79382964

Date: 2025-01-24 00:48:05
Score: 3.5
Natty:
Report link

With Sandbox API key & secret, you should use the sandbox url like:

curl -X GET https://api-public.sandbox.exchange.coinbase.com/accounts -u "API_KEY:API_SECRET"

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

79382961

Date: 2025-01-24 00:44:05
Score: 1.5
Natty:
Report link

The reason why your content fit 2 strings inside dropdown, is that you explicitly wrap your DropdownButtonHideUnderline inside SizedBox with width: 50 (in your first code sample). That width controls your DropdownButton's width.

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

79382959

Date: 2025-01-24 00:42:04
Score: 1.5
Natty:
Report link

You can follow these steps:

  1. Build Docker Image on Jenkins: Create a Jenkinsfile to define a build stage that builds the Docker image directly on the Jenkins server.

  2. Use a Local Docker Registry: Set up a local Docker registry on either the Jenkins server or the deployment server. After building the image, tag it and push it to the local registry.

  3. Deploy on Separate Server: On the deployment server, pull the Docker image from the local registry and run the container.

Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: naqi-eurus

79382956

Date: 2025-01-24 00:39:04
Score: 1.5
Natty:
Report link

First of all, I didn’t understand why your Stack is needed, but this error is happening because Stack children has no constraints, and your Expanded widget into buildFormBody is expanding to infinite, so consider to remove Stack, or use Positioned.fill above buildFormBody. Also, avoid using functions to return widgets (this can cause performance issues), prefer to wrap into other widgets, and for conditional rendering prefer to use Visibility widget instead ternaries.

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

79382953

Date: 2025-01-24 00:36:03
Score: 1
Natty:
Report link

To develop the answer provided by LeOn - Han Li, we have to use Customer Managed Key (CMK) if we must encrypt the SNS topic, even at today 23-Jan-2025, the default SNS encryption key still doesn't work for S3 notification.

The policy of the CMK must allow at least two AWS service principals: "sns.amazonaws.com" and "s3.amazonaws.com", some other service principals are mentioned in this blog

    {
      "Sid": "Allow_SNS_for_CMK",
      "Effect": "Allow",
      "Principal": {
        "Service": "sns.amazonaws.com"
      },
      "Action": [
        "kms:Decrypt",
        "kms:GenerateDataKey*"
      ],
      "Resource": "*"
    },
    {
      "Sid": "Allow_S3_for_CMK",
      "Effect": "Allow",
      "Principal": {
        "Service": "s3.amazonaws.com"
      },
      "Action": [
        "kms:Decrypt",
        "kms:GenerateDataKey*"
      ],
      "Resource": "*"
    }

The reason is that the default SNS encryption keys are managed by AWS, customers can't change the permission.

Reasons:
  • Blacklisted phrase (1): this blog
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: brioche869

79382952

Date: 2025-01-24 00:35:03
Score: 0.5
Natty:
Report link

If your numbers are constant values you can simply extend your code as proposed by @taller, but you can still rely on the Range.Find procedure:

Sub LastNumber()
  Dim LastRow As Long
  LastRow = ActiveSheet.Range("A6:A167").SpecialCells(xlCellTypeConstants, xlNumbers) _
  .Find(What:="*", SearchOrder:=xlByRows, SearchDirection:=xlPrevious).Row
  MsgBox LastRow
End Sub
Reasons:
  • Has code block (-0.5):
  • User mentioned (1): @taller
Posted by: MGonet

79382943

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

I found a way to this issue.

If your unable to install the npm init -p command. You can simply post the files in the folders by tailwind.config.js or .ts and postcss.config.js. As these are the both files which will be installed.

If you want those files you can follow the link below

https://github.com/Surendrakumarpatel/lms_patelmernstack/blob/main/client/postcss.config.js https://github.com/Surendrakumarpatel/lms_patelmernstack/blob/main/client/tailwind.config.js

Reasons:
  • Blacklisted phrase (1): the link below
  • Probably link only (1):
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Bala Kumar

79382931

Date: 2025-01-24 00:15:58
Score: 3
Natty:
Report link

Use this command options ocra test.rb --add-all-core --console --dll ruby_builtin_dlls\libgmp-10.dll

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

79382925

Date: 2025-01-24 00:12:57
Score: 1.5
Natty:
Report link

As mentioned in the comments std::partial_sort_copy does not modify the size of the container that it writes to. So if the original size of the vector is 0, the size will not change. Therefore, nothing will get placed in the vector.

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

79382924

Date: 2025-01-24 00:11:56
Score: 2.5
Natty:
Report link

Currently there is no such functionality. You could use Github codespaces / Gitpod to share a vscode environment but those wont be read-only for all intents and purposes. Alternatively, you could use the live share extension to temporarily share your session through a link, which you can set to be read-only

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

79382922

Date: 2025-01-24 00:11:56
Score: 2.5
Natty:
Report link

ORA-01840: input value not long enough for date format 01840. 00000 - "input value not long enough for date format" *Cause:
*Action

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

79382915

Date: 2025-01-24 00:08:56
Score: 1.5
Natty:
Report link

I just tried it myself on bound script against a basic sheet with data in a few columns and rows and it worked fine. It cleared only the data and left the formatting and data validation. The function was as follows :

function myFunction() {
  let sheet = SpreadsheetApp.getActiveSpreadsheet().getSheetByName("Sheet1");
  let range = sheet.getRange(1,1,sheet.getLastRow(),sheet.getLastColumn());
  range.clear();
}

Are you running this bound, or unbound? How are you selecting the range?

Reasons:
  • Whitelisted phrase (-1): it worked
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Dan

79382888

Date: 2025-01-23 23:43:51
Score: 1
Natty:
Report link

SNS FIFO provides strict ordering on deliveries to a SQS FIFO queue for each message group. Messages not in the same group are delivered in parallel while messages within a group respects the message ordering on delivery.

In case of retries, SNS FIFO will attempt to retry the same message in a group until it succeeds before moving to the next message in the group. If all messages are in the same group, then the first message must be delivered before moving to the next to respect the message ordering.

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

79382887

Date: 2025-01-23 23:42:51
Score: 0.5
Natty:
Report link

Your device tree probably has broken clocks definitions, and the kernel deadlocks in clk_disable_unused() (in drivers/clk/clk.c).

Work-around by either:

But you should definitely fix your device tree !

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

79382884

Date: 2025-01-23 23:40:50
Score: 3
Natty:
Report link

I'm a beginner just like you. I struggled a lot with AddTransient. I spent a lot of time on it, trying to draw a line, but it wouldn't appear. In the end, I suspect the issue wasn't that the line wasn't being drawn, but that it wasn't visible. When I set the line.ColorIndex property, I was finally able to see it on the screen. I assume that the line wasn't visible by default because the ColorIndex value hadn't been set. I hope this helps you.

Reasons:
  • Whitelisted phrase (-1): hope this helps
  • RegEx Blacklisted phrase (2): I'm a beginner
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: kwonbarm

79382883

Date: 2025-01-23 23:40:50
Score: 1.5
Natty:
Report link

It seems like you're looking for einsum.

Should be something like:

result = torch.einsum('bi,bijk,bk->bj', x, second_order_derivative, x)
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Doma

79382881

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

To output a string array such as:

[
  "1: 34.45",
  "2: 21.67"
]

try: Account.Order.Product#$i.[$join([$string($i+1),': ', $string(Price)])]

To output an object array such as:

[
  {
    "1": 34.45
  },
  {
    "2": 21.67
  }
]

try: Account.Order.Product#$i.{ $string($i + 1): Price }

JSONata playground: https://jsonatastudio.com/playground/9b835d23

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

79382866

Date: 2025-01-23 23:33:49
Score: 2.5
Natty:
Report link

Had the same problem. From my experience sympy can solve most of the z transforms but had problem with trig functions. Whilst lcapy could solve ZT of trig it had problems solving others so ended I up on using them both and can't complain now.

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

79382859

Date: 2025-01-23 23:27:47
Score: 1.5
Natty:
Report link

In powershell for those using it.

Remove-Item -Recurse -Force .\node_modules
Remove-Item -Force .\package-lock.json
npm cache clean --force
npm cache verify
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: MattMcP

79382849

Date: 2025-01-23 23:21:45
Score: 2
Natty:
Report link

I had the same issue and in my case nothing worked until I updated Windows 365. But I also uninstalled xlwings and installed again.

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

79382848

Date: 2025-01-23 23:20:43
Score: 6 🚩
Natty:
Report link

I have the exact same issue right now, I'll let you know if I find anything out

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): I have the exact same issue
  • Single line (0.5):
  • Low reputation (1):
Posted by: AHStudent

79382817

Date: 2025-01-23 23:04:39
Score: 4.5
Natty:
Report link

Look at @NathanOliver's comment under the question.

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • User mentioned (1): @NathanOliver's
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Setu

79382815

Date: 2025-01-23 23:03:38
Score: 4.5
Natty:
Report link

As stated by @JulianKoster, it was just a bug and it was patched just a few hours after my question : see this link

For people struggling, just commit/stash your changes, run composer recipe:update and you will see some stimulus-bundle changes about CSRF.

After this update, form submit with csrf enabled works even from inside a turbo frame ! No additionnal code needed.

Thank you too @rapttor for your time !

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (1): this link
  • RegEx Blacklisted phrase (1): see this link
  • Has code block (-0.5):
  • User mentioned (1): @JulianKoster
  • User mentioned (0): @rapttor
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: DeadlyToy

79382798

Date: 2025-01-23 22:52:36
Score: 3.5
Natty:
Report link

@calebmiranda It is not remembered, just smooth scrolling takes some time, which is in your example longer than 100ms and shorter than 500ms. You need to re-enable snap scroll when scroll is finished, so instead of timeout use scrollend event callback to set snap scroll back.

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • User mentioned (1): @calebmiranda
  • Single line (0.5):
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: Wojciech Grabowski

79382794

Date: 2025-01-23 22:50:35
Score: 2.5
Natty:
Report link

This fixed it for me, using Powershell: Set-ExecutionPolicy -ExecutionPolicy Unrestricted -Scope LocalMachine

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

79382788

Date: 2025-01-23 22:48:35
Score: 1.5
Natty:
Report link

A solution using simple functions:

=RIGHT(CONCAT(OFFSET(Sheet2!$B$2;0;XMATCH($A2;Sheet2!$B$1:$D$1)-1;1000));5)

The only things that you need to change are

The formula is for the cell B2, but you can copy to the other cells in column B

excel sheets

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

79382787

Date: 2025-01-23 22:47:35
Score: 2.5
Natty:
Report link

i'm working with react native and solve this with

presets: [require('nativewind/preset')],

Insert this below the on tailwind.config.js

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

79382774

Date: 2025-01-23 22:41:34
Score: 1.5
Natty:
Report link

The issue in this line: Debug.Log("check" + unit==null);

You're not testing whether unit is null as you might think. Instead, due to operator precedence, this statement is being evaluated like this: Debug.Log(("check" + unit) == null);

Correct Way to Check for Null: If you want to check whether unit is null and log the result, you should explicitly use parentheses to ensure the comparison happens first:

Debug.Log("check " + (unit == null));

Always use parentheses when combining comparisons and concatenation in a debug log to avoid confusion: Debug.Log("Is unit null? " + (unit == null));

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

79382762

Date: 2025-01-23 22:37:33
Score: 3
Natty:
Report link

You are not too clear on how pages are listing products but I assume you are using WooCommerce? If so, this page should answer questions regarding product sorting

Sort Products for WooCommerce

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

79382758

Date: 2025-01-23 22:34:32
Score: 2.5
Natty:
Report link

The issue is that I generated the dart files in the /protos directory, per the YouTube video tutorial. The correct location is the /lib directory. I generated pointing to /lib/generated and everything worked.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: S. Yacko

79382752

Date: 2025-01-23 22:31:31
Score: 3
Natty:
Report link

Are you sure this is the correct order?

I think you should update the value first, then notify of the property change OnNotifyPropertyChanged(); numPrice = value;

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

79382746

Date: 2025-01-23 22:28:31
Score: 0.5
Natty:
Report link

Got the same error, but the issue for me was a missing system-images.

Fixed with:

sdkmanager "system-images;android-34;google_apis;x86_64"

I was trying to run Android 34. You can list all available options with sdkmanager command.

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

79382743

Date: 2025-01-23 22:27:30
Score: 2
Natty:
Report link

Completing the answer, You cannot access the users table because it is part of the authentication schema. By default, the exposed schemas are public and graphql. You could expose the authentication schema, but that is not recommended as it would expose sensitive authentication data.

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

79382733

Date: 2025-01-23 22:22:29
Score: 0.5
Natty:
Report link

Just in case someone ends up here, this worked for me as the action that triggered my dialog was updating form so my dialog was dissapearing, because of the update, before closing and then my inputs weren't working

Reasons:
  • Whitelisted phrase (-1): this worked for me
  • Whitelisted phrase (-1): worked for me
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Pabloe Aguilar

79382729

Date: 2025-01-23 22:20:29
Score: 1.5
Natty:
Report link

Session-based authentication on your shared hosting can be simpler and just as secure. You can store user and club data in the session to avoid constant database lookups and occasionally refresh it to handle bans or membership changes. A one-week session is feasible if you configure cookies and garbage collection properly, and it’s also user-friendly because the session is maintained automatically, so users don’t have to log in repeatedly.

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

79382714

Date: 2025-01-23 22:14:27
Score: 0.5
Natty:
Report link

We figured out what happened in the site.

We had to add in the registry key HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Control\Lsa\MSV1_0 the Multi String value BackConnectionHostNames which contained only the hosts, not with the domains, because it only read the first line of the file and the other kept on the loop.

After that, we double-checked if we had in the IIS Authentication, Windows Authentication as our only authentication active. But, in the authentication providers, we had to remove all the providers but NTLM, because Kerberos and the others weren't compatible. (It seems like there was a MS KB in October that disabled those providers)

We restarted IIS and our sites worked.

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

79382699

Date: 2025-01-23 22:09:26
Score: 0.5
Natty:
Report link

As suggested by 'micycle' the R-Tree is matching my needs. With one call I create the index:

index = Index(generator(shapes))

where generator yields the bboxes of supplied shapes. And then I can do the intersection queries like:

intersections = index.intersection(bbox)

Thats it. Its fast for my needs (maybe because of compiled implementation). Factor 4 compared to brute force. (I don't have too many shapes.)

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

79382694

Date: 2025-01-23 22:08:26
Score: 2
Natty:
Report link

block.json

{
  "supports": {
    "customClassName": false
  }
}
Reasons:
  • Low length (1.5):
  • No code block (0.5):
Posted by: k2fx

79382686

Date: 2025-01-23 22:03:25
Score: 0.5
Natty:
Report link

IEEE754 says that the result is as if computed exactly and then rounded.

mathematically x-x=0 for real x exactly. Since 0 is exactly representable, this shall be the result in IEEE754 arithmetic.

On the other hand, there are two numbers with value 0, namely +0 and -0.

The standard says:

When the sum of two operands with opposite signs (or the difference of two operands with like signs) is exactly zero, the sign of that sum (or difference) shall be +0 in all rounding-direction attributes except roundTowardNegative; under that attribute, the sign of an exact zero sum (or difference) shall be −0.

So, x-x may be +0 or -0 and what it is depends on the rounding mode.

If x is an infinite value, the result is nan. If x is itself nan, then the result is nan as well.

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

79382679

Date: 2025-01-23 21:59:24
Score: 0.5
Natty:
Report link

Yes, it should work, but you probably need to set up Ray’s config to connect to your local setup. Check the ray.php file or set environment variables like RAY_HOST and RAY_PORT to match your Lima or local server. If you’re using Lima or Docker, try host.docker.internal or the server’s IP. Once the settings match, just calling ray('message') should show up in the app—no need to mess with "Add Server" unless it’s something unique in your setup

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

79382675

Date: 2025-01-23 21:56:23
Score: 5.5
Natty: 7
Report link

Use this documentation https://docxtemplater.com/modules/image/ Work for me

Reasons:
  • Blacklisted phrase (1): this document
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Rushclin Takam