79153419

Date: 2024-11-03 19:06:23
Score: 1.5
Natty:
Report link

When working on Windows and Visual Studio always put class definitions containing the Q_OBJECT macro into a header file, not into a source file. Because that messes with the build process of Qt and Visual Studio. Just seen on Visual Studio 2022 and Qt 6.8

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Starts with a question (0.5): When
  • Low reputation (0.5):
Posted by: ray_ray_ray

79153413

Date: 2024-11-03 19:01:22
Score: 1.5
Natty:
Report link

So I may be wrong on this, but it seems that you are registering your service incorrectly. According to the AddSingleton docs, you have set up the generic parameters backwards. It should be the type you want to add and then the implementation of that type.

AddSingleton docs for <Type, Type> generic parameters.

For example, instead of: services.AddSingleton<ISingletonLoggerHelper, LoggerHelper>();, it should be: services.AddSingleton<LoggerHelper, ISingletonLoggerHelper>();. Hopefully this helps.

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

79153407

Date: 2024-11-03 18:59:21
Score: 2
Natty:
Report link

A wrapper around james-heinrich/getid3 to extract various information from media files. https://packagist.org/packages/plutuss/getid3-laravel

 $media = MediaAnalyzer::fromLocalFile(
         path: 'files/video.mov',
         disk: 's3',  // "local", "ftp", "sftp", "s3","public"
     );
     
  $media->getAllInfo();  
Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Dmytro Konovalenko

79153404

Date: 2024-11-03 18:57:21
Score: 3
Natty:
Report link

the cause was because region don't refresh after change. i used following code before my code

apex.region("PAYEMNTDetails").widget().interactiveGrid("getViews", "grid").refresh();

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

79153393

Date: 2024-11-03 18:49:19
Score: 1.5
Natty:
Report link

Thanks to everyone for your help! Special thanks to Jim Mischel for pointing me in the right direction.

In WPF, there's a handy method called PointToScreen that helped me solve the issue. This method converts a point relative to a WPF element to screen coordinates, which was exactly what I needed.

using System;
using System.Drawing; // For screen capturing (Bitmap, Graphics)
using System.IO;
using System.Windows;
using System.Windows.Controls;
using System.Windows.Input;

namespace ScreenCapture
{
    public partial class MainWindow : Window
    {
        private System.Windows.Shapes.Rectangle DragRectangle = null; // Specify WPF Rectangle
        private System.Windows.Point StartPoint, LastPoint;

        public MainWindow()
        {
            InitializeComponent();
        }

        private void Window_PreviewKeyDown(object sender, KeyEventArgs e)
        {
            if (e.Key == Key.Escape) { this.Close(); e.Handled = true; }
        }

        private void canvas_MouseDown(object sender, MouseButtonEventArgs e)
        {
            StartPoint = Mouse.GetPosition(canvas);
            LastPoint = StartPoint;

            // Initialize and style the rectangle
            DragRectangle = new System.Windows.Shapes.Rectangle
            {
                Width = 1,
                Height = 1,
                Stroke = System.Windows.Media.Brushes.Red,
                StrokeThickness = 1,
                Cursor = Cursors.Cross
            };

            // Add the rectangle to the canvas
            canvas.Children.Add(DragRectangle);
            Canvas.SetLeft(DragRectangle, StartPoint.X);
            Canvas.SetTop(DragRectangle, StartPoint.Y);

            // Attach the mouse move and mouse up events
            canvas.MouseMove += canvas_MouseMove;
            canvas.MouseUp += canvas_MouseUp;
            canvas.CaptureMouse();
        }

        private void canvas_MouseMove(object sender, MouseEventArgs e)
        {
            if (DragRectangle == null) return;

            // Update LastPoint to current mouse position
            LastPoint = Mouse.GetPosition(canvas);

            // Update rectangle dimensions and position
            DragRectangle.Width = Math.Abs(LastPoint.X - StartPoint.X);
            DragRectangle.Height = Math.Abs(LastPoint.Y - StartPoint.Y);
            Canvas.SetLeft(DragRectangle, Math.Min(LastPoint.X, StartPoint.X));
            Canvas.SetTop(DragRectangle, Math.Min(LastPoint.Y, StartPoint.Y));
        }

        private void canvas_MouseUp(object sender, MouseButtonEventArgs e)
        {
            if (DragRectangle == null) return;

            // Release mouse capture and remove event handlers
            canvas.ReleaseMouseCapture();
            //canvas.MouseMove -= canvas_MouseMove;
            //canvas.MouseUp -= canvas_MouseUp;

            // Capture the screen area based on the selected rectangle
            CaptureScreen();

            // Clean up: remove rectangle from canvas
            canvas.Children.Remove(DragRectangle);
            DragRectangle = null;
            this.Close();
        }

        private void CaptureScreen()
        {
            // Convert StartPoint and LastPoint to screen coordinates
            var screenStart = PointToScreen(StartPoint);
            var screenEnd = PointToScreen(LastPoint);

            // Calculate the capture area dimensions and position
            int x = (int)Math.Min(screenStart.X, screenEnd.X);
            int y = (int)Math.Min(screenStart.Y, screenEnd.Y);
            int width = (int)Math.Abs(screenEnd.X - screenStart.X);
            int height = (int)Math.Abs(screenEnd.Y - screenStart.Y);

            // Ensure dimensions are valid before capture
            if (width > 0 && height > 0)
            {
                using (Bitmap bitmap = new Bitmap(width, height))
                {
                    using (Graphics g = Graphics.FromImage(bitmap))
                    {
                        // Capture the area of the screen based on converted coordinates
                        g.CopyFromScreen(x, y, 0, 0, new System.Drawing.Size(width, height));
                    }

                    // Save the captured image to the desktop
                    string desktopPath = Environment.GetFolderPath(Environment.SpecialFolder.Desktop);
                    //string filePath = System.IO.Path.Combine(desktopPath, $"Screenshot_{DateTime.Now:yyyyMMdd_HHmmss}.png");
                    string filePath = System.IO.Path.Combine(desktopPath, "Screenshot.png");
                    bitmap.Save(filePath);
                    System.Diagnostics.Process.Start(filePath);
                    //MessageBox.Show($"Screenshot saved to {filePath}");
                }
            }
        }
    }
}
Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (0.5): thanks
  • Blacklisted phrase (0.5): I need
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: pcinfogmach

79153392

Date: 2024-11-03 18:48:18
Score: 5
Natty:
Report link

@Angelo Mazza, hi!

Please, explain, what 'im using this but doesnt work' means? Because there are plenty of reasons why it might not work actually =)

Reasons:
  • Blacklisted phrase (1): doesnt work
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • User mentioned (1): @Angelo
  • Low reputation (1):
Posted by: DesiredName

79153388

Date: 2024-11-03 18:47:18
Score: 0.5
Natty:
Report link

I finally found another workaround without testing the function directly. Instead, I just wrote an assertion that tests the state to not have been changed.

    it('does not toggle sound, when space key is clicked', () => {
        const preloadedState = {
            sound: {
                isMuted: true, 
            },
        };

        const { getByLabelText, store } = renderWithProviders(<SoundBtn />, { preloadedState });
        const button = getByLabelText('click to play sound');

        fireEvent.keyDown(button, { code: 'Space', key: ' ' });

        expect(store.getState().sound.isMuted).toBe(true);
    });

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

79153386

Date: 2024-11-03 18:43:17
Score: 4
Natty:
Report link

Caused by "expo-web-view" library. Issue was gone after I uninstalled it

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

79153383

Date: 2024-11-03 18:38:17
Score: 0.5
Natty:
Report link

Inside onPopInvokedWithResult you should do:

if (didPop) return;

final shouldPop = await webViewController.canGoBack();

if (shouldPop) {
   webViewController.goBack();
}

Check this from Flutter's documentation. The example is different, but the logic is similar.

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: A.Ktns

79153377

Date: 2024-11-03 18:35:16
Score: 1
Natty:
Report link

For anyone who is still having trouble installing this, I just tried and quickly succeeded using the nix installer on Mac. Nix is an independent package manager for Linux and Mac that precisely specifies and isolates all dependencies from the system and other packages, so it often resolves broken dependency issues.

The commands I ran:

To install the nix package manager:

curl --proto '=https' --tlsv1.2 -sSf -L https://install.determinate.systems/nix | sh -s -- install (You may have to restart your terminal now if it can't find the nix command.)

To install threadscope:

nix profile install nixpkgs#haskellPackages.threadscope To run threadscope:

threadscope

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

79153373

Date: 2024-11-03 18:31:15
Score: 3
Natty:
Report link

I am also trying to find the answer for this however never get. if you have fixed this and update me please.

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

79153371

Date: 2024-11-03 18:30:12
Score: 6 🚩
Natty: 5.5
Report link

using 60% from user1 data and 100% from few other imposters cause a huge data inbalance. isnst it?

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • User mentioned (1): user1
  • Single line (0.5):
  • Low reputation (1):
Posted by: Nisal Liyanage

79153368

Date: 2024-11-03 18:27:11
Score: 2.5
Natty:
Report link

try to replace timeout with request_timeout

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

79153363

Date: 2024-11-03 18:25:10
Score: 0.5
Natty:
Report link

To change the theme for the app, you need to add/remove the .my-app-dark class to the HTML tag of the page. To do this, we have to create a button and on click toggle the class .my-app-dark by running following code - document.documentElement.classList.toggle('my-app-dark')

Reference - https://primevue.org/theming/styled/#darkmode

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

79153361

Date: 2024-11-03 18:24:10
Score: 4.5
Natty:
Report link

I found out the answer in

React onClick function fires on render

turns out I was calling this function wrong

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

79153357

Date: 2024-11-03 18:21:09
Score: 2.5
Natty:
Report link

screenshot from xcode

If you recently upgraded to macOS Sequoia, adjusting the project configuration resolved the issue. Choose the configuration you need and link it.

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

79153353

Date: 2024-11-03 18:16:08
Score: 0.5
Natty:
Report link

I did some research to get to the bottom of the issue, opposed to trying to hide the error. (it is my understanding those compiler errors are there to help us).

if the value of the pointer "COULD" be "NULL", Error:'C6387', is warning you to validate the reference prior to the call to it.

unsigned char* data = (unsigned   char*)malloc(sections[i].Size);


fseek(file, sections[i].Offset, SEEK_SET);
fread(data, 1, sections[i].Size, file);

Above you can see that we allocated memory to the pointer, with value of sections[i].Size, from the sections struct defined earlier, then in the fread(data, 1, sections[i].Size, file); Here we try to read that data, this is where things could go wrong if there is no value within our *data pointer.

Since we deference the (*)data (if the value we are looking within the pointer doesn't exist) it could cause undefined behavior (UB), or a security vulnerability &/or just crash the program...

We solve this problem by verifying or checking the pointer value prior to the call to read within it, as follows:

unsigned char* data = (unsigned char*)malloc(sections[i].Size);

// Again we allocated the memory to data but the below if 
// statement checks for NULL value within our *data, 
// then handles graceful shutdown.

if (data == NULL) {
printf(stderr, "Failed to load data to memory");
fclose(file);
return 1;
}

fseek(file, sections[i].Offset, SEEK_SET);
fread(data, 1, sections[i].Size, file); 

now the compiler knows to safely close down the program if something has occurred, for which the deference* data pointer is NULL.

Reasons:
  • RegEx Blacklisted phrase (1): help us
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Black2ooth

79153352

Date: 2024-11-03 18:16:08
Score: 1
Natty:
Report link

Overwriting a table that is also being read from is not supported in Spark. See one of the Spark test cases for example (Spark v3.4.4). However, it is possible to do it with INSERT OVERWRITE when overwriting partitions dynamically (SPARK-30112).

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

79153346

Date: 2024-11-03 18:12:07
Score: 2.5
Natty:
Report link

Good day!

This error occurs in the name of the command

I got the same error when run mvn springboot:build-image

instead of mvn spring-boot:build-image

Reasons:
  • Blacklisted phrase (1): Good day
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: user1252381

79153345

Date: 2024-11-03 18:12:07
Score: 2
Natty:
Report link

I have modified your code a bit and it works perfectly fine i guess i mean according to your requirement.

five_ans1 = input ("What is the answer?")

five_ans2 = input ("What is the answer?")

list_q5_mark1 = ["answercondition1", "another way to write answercondition1"] list_q5_mark2 = ["answercondition2", "another way to write answercondition2"] #the 'another way to write' is just to ensure the user doesn't get an false incorrect. It's the same thing, without spaces.

if five_ans1 and list_q5_mark1 in five_ans2 in list_q5_mark2: print ("correct! you got both") elif five_ans1 in list_q5_mark1: print ("correct! it was also answercondition2") elif five_ans2 in list_q5_mark2: print ("correct! it was also answercondition1") else: print ("incorrect")

keep the indenation properly and check it out.

Reasons:
  • Blacklisted phrase (0.5): check it out
  • Long answer (-0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Ravi Teja Bhagavatula

79153344

Date: 2024-11-03 18:12:07
Score: 1.5
Natty:
Report link

Use React.memo to wrap your component and tell React to only re-render when its props change.

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

79153338

Date: 2024-11-03 18:08:06
Score: 0.5
Natty:
Report link

I know this question is old but since I still found it in 2024, here's an update:

The :has() pseudo-selector class can be used to access its parent elements.

div.with-link:has(> a:target) {
    background: yellow
}

Note that this method requires you to define a parent selector div.with-link in this case. All elements matching this selector that have the target in them will be highlighted.

All major browsers support this selector. Refer to https://caniuse.com/css-has to check if your target browser or browser versions have support for it.

If this does not fit your requirements, you may still fall back to the JavaScript alternative.

Source: https://stackoverflow.com/a/1014958/1457596

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: spiegelm

79153329

Date: 2024-11-03 18:05:05
Score: 1
Natty:
Report link

What's in your gdbinit file, if any?

I ran into a similar error when trying to setup debugging in Clion. The solution was to set the Debugger binary xtensa-esp32-elf-gdb in the Toolchain settings, and then select it in the Run Configuration.

Instead of writing -file-exec-and-symbols build/main.elf in the gdb console just pass the symbol file as command line argument: xtensa-esp32-elf-gdb -x gdbinit ../build/main.elf

Reasons:
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): What's in you
  • Low reputation (0.5):
Posted by: Fabian

79153323

Date: 2024-11-03 17:59:04
Score: 0.5
Natty:
Report link

I think the answer is much more simple ;

SELECT s.name, MAX(t.score) as topScore, t.day AS topScoreDay
FROM student as s
LEFT JOIN testScore AS t ON s.id = t.studentId
GROUP BY s.id
ORDER BY topScore DESC, t.score ASC;

Result :

name topScore topScoreDay
steve 100 5
joe 95 15
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Mike

79153321

Date: 2024-11-03 17:59:04
Score: 1.5
Natty:
Report link

Discord Bot Commands (when not Teporary) can take up to an hour to update. Use temp commands guild.updateCommands().addCommands(Data) for debbugging/testing

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

79153319

Date: 2024-11-03 17:58:04
Score: 0.5
Natty:
Report link

Use ANSI escape codes, like following:

console.log('\x1b[33m%s\x1b[0m', 'COLORFUL');

\x1b[33m Sets the text color to orange

%s Represents the string you want to print

\x1b[0m Resets the text formatting to the default

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

79153318

Date: 2024-11-03 17:58:04
Score: 1
Natty:
Report link

Nothing work for me except just deleting the folder C:\Users\<username>\AppData\Local\Microsoft\VisualStudio But this will fully remove all settings so be aware about it

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

79153315

Date: 2024-11-03 17:57:03
Score: 3
Natty:
Report link

For OnTriggerEnter to work in Unity, I believe it is required to have a rigidbody on at least one of the GameObjects. Here is a reference to their docs describing this.

Reasons:
  • Probably link only (1):
  • Low length (1):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Christian Marcellino

79153314

Date: 2024-11-03 17:54:03
Score: 1
Natty:
Report link

In my case server was running on port 5433 insted of default 5432. After changing PORT variable to default 5432 in C:\Program Files\PostgreSQL\17\data\postgresql.conf. psql finally responded

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

79153310

Date: 2024-11-03 17:53:02
Score: 4.5
Natty: 4
Report link

same issue with imread() , tx for the workaround!

Reasons:
  • RegEx Blacklisted phrase (1): same issue
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Migu Be

79153291

Date: 2024-11-03 17:43:00
Score: 1.5
Natty:
Report link

I needed to Cut the Code Die() is here

    public void TakeDamage(int damageAmount)
{
    currentHealth -= damageAmount;

    // Check if health is less than or equal to 0
    if (currentHealth <= 0)
    {
        Die();
    }
    else
    {
        // Trigger hit animation
        anim.SetTrigger("hit"); // Ensure this trigger is correctly set in the Animator
    }
}
Reasons:
  • Blacklisted phrase (0.5): I need
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Das Shiro

79153286

Date: 2024-11-03 17:39:59
Score: 5
Natty:
Report link

can you share the git config? what is the default editor after windows 11 upgrade?

From man git-commit:

ENVIRONMENT AND CONFIGURATION VARIABLES The editor used to edit the commit log message will be chosen from the GIT_EDITOR environment variable, the core.editor configuration variable, the VISUAL environment variable, or the EDITOR environment variable (in that order).

Reasons:
  • RegEx Blacklisted phrase (2.5): can you share
  • No code block (0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): can you share the
  • Low reputation (1):
Posted by: SPC0nline

79153285

Date: 2024-11-03 17:39:59
Score: 1.5
Natty:
Report link

This turned out to be a case of the build.sbt file breaking the program. The real app (not my sample app) used sbt-assembly to create a jar. There was logic to remove duplicates with MergeStrategy that was removing the MariaDB service files within the META-INF directory. Without those, the driver didn't know where to find the classes to work with caching_sha2_password.

Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Andrew B

79153278

Date: 2024-11-03 17:35:58
Score: 0.5
Natty:
Report link

The code seems to be right. Could it be possible that you are calling to the function authenticate_user before initializing the DB?

Also I would add a try-except when creating the connection to th DB

try:
    connection_pool = psycopg2.pool.SimpleConnectionPool(
        minconn=1,
        maxconn=10,
        user=USERNAME,
        password=PASSWORD,
        host=HOST,
        port=PORT,
        database=targetDbName
    )
    #The conn will be successfully created.
    #if not, will jump to the error (and it will tell you what is failing).
except psycopg2.Error as e:
    print(f"Error creating connection pool: {e}")
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: raul sanchez

79153266

Date: 2024-11-03 17:27:53
Score: 7 🚩
Natty:
Report link

I have tried in excel but i am not much good in excel could please share excel of moon phase date wise tried but unable to make one.

Reasons:
  • RegEx Blacklisted phrase (2.5): please share
  • RegEx Blacklisted phrase (1): I have tried in excel but i am not much good in excel could please
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: rakesh

79153256

Date: 2024-11-03 17:19:52
Score: 1.5
Natty:
Report link

I read the answer from Brando Zhang and Roberto Oropeza, then I added @rendermode InteractiveServer after @page line in my creation blazor page. It's work!

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

79153255

Date: 2024-11-03 17:19:52
Score: 1
Natty:
Report link

Thanks to all. I found the answer and I share it for other people.

In the 3rd way, I put the absolute path for mysqldump:

$command1 = 'D:/xampp/mysql/bin/mysqldump --user=' . $dbUser . ' --password=' . $dbPassword . ' --host=' . $dbHost . ' ' . $dbName . ' > "' . $fnStorage . '"';
exec($command1, $output, $returnVar);

Now, it works for both design (VSCode) and production environments :)

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

79153252

Date: 2024-11-03 17:17:51
Score: 3
Natty:
Report link

SELECT price, roomId FROM room inner join Reservation on (reservation.roomId = room.roomId inner join Guest on (reservation._guestId = guest._guestId and age <20) ;

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

79153251

Date: 2024-11-03 17:17:51
Score: 3.5
Natty:
Report link

const sourceCode = document.documentElement.outerHTML; console.log(sourceCode);

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

79153249

Date: 2024-11-03 17:17:51
Score: 4.5
Natty:
Report link

Thank to @Someprogrammerdude and @AndersK, I could reajust my thoughts and correct the code. Please refer to the comments above. Thanks again!

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (1):
  • No code block (0.5):
  • User mentioned (1): @Someprogrammerdude
  • User mentioned (0): @AndersK
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: kairotic

79153244

Date: 2024-11-03 17:16:50
Score: 0.5
Natty:
Report link

You should almost certainly not have sleep in your job script. All it's doing is occupying the job's resources without getting any work done - waste.

Job arrays are just a submission shorthand: the members of the array have the same overhead as standalone jobs. The only difference is that the arrayjob sits in the queue sort of like a Python "generator", so every time the scheduler considers the queue and there are resources available, another array member will be budded off as a standalone job.

That's why the sleep makes no sense: it's in the job, not in the submission. Slurm doesn't have a syntax for throttling a job array by time (only by max running).

But why not just "for n in {1..60}; do sbatch script $n; sleep 10; done"?

I'm a cluster admin, and I'm find with this. You're trying to be kind to the scheduler, which is good. Every 10 seconds is overkill though - the scheduler can probably take a job per second without any sweat. I'd want you to think more thoroughly about whether the "shape" of each job makes sense (GPU jobs often can use more than one CPU core, and is this job efficient in the first place? and there are lots of ways to tune for cases where your program (matlab) can't keep a GPU busy, such as MPS and MIGs.)

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

79153242

Date: 2024-11-03 17:15:50
Score: 0.5
Natty:
Report link

The issue you're experiencing is because recent versions of bslib handle Node dependencies differently. Instead of looking for node_modules directly, you can try this approach:

# Get the bslib installation path
bslib_path <- system.file(package = "bslib")

# Check for the actual Bootstrap files
bootstrap_path <- file.path(bslib_path, "lib", "bs")

# If you need specific Bootstrap files, you can look here:
bs_files <- list.files(bootstrap_path, recursive = TRUE)

The Bootstrap files are now typically located in the lib/bs directory within the package installation path. If you're trying to access specific Bootstrap components, you might want to use bslib's built-in functions instead of accessing the files directly:

library(bslib)

# Use bs_theme() to customize Bootstrap
my_theme <- bs_theme(version = 5)  # or whichever version you need

What specific Bootstrap components are you trying to access? This might help me provide a more targeted solution.

Reasons:
  • Blacklisted phrase (1): help me
  • Whitelisted phrase (-1): try this
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Thiago Cezário

79153241

Date: 2024-11-03 17:13:50
Score: 2
Natty:
Report link

The solution was to use this tool: https://www.java.com/en/download/uninstalltool.jsp

Then exit out of System Settings and re-enter it and Java should be gone.

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

79153237

Date: 2024-11-03 17:12:49
Score: 1.5
Natty:
Report link

The error code -1073741819 (0xC0000005) usually indicates a memory access violation.

Try to check mysql error logs, check pycharm configuration, temporarily disable firewall, update mysql connector.

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

79153234

Date: 2024-11-03 17:10:49
Score: 2
Natty:
Report link

1)Reinstall npm Using npm

npm uninstall -g npm npm cache clean --force npm install -g npm

2)Clear npm Cache npm cache clean --force

  1. Reinstall create-react-app npm uninstall -g create-react-app npm install -g create-react-app

now try npx create-react-app my-app

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Mohammed Altamash Shaikh

79153232

Date: 2024-11-03 17:08:49
Score: 1.5
Natty:
Report link

This will work: https://www.java.com/en/download/uninstalltool.jsp

Worked for me when I saw on my Mac:

Failed to uninstall java xpc connection error

Reasons:
  • Whitelisted phrase (-1): Worked for me
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
Posted by: user1689987

79153229

Date: 2024-11-03 17:07:48
Score: 2
Natty:
Report link

What worked for me was removing the image element from the DOM and then recreating it with a new source using JavaScript. When I had tried to simply reassign the image's src attribute using JavaScript, it didn't work.

Reasons:
  • Whitelisted phrase (-1): worked for me
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): What
  • Low reputation (1):
Posted by: Jonathan Woodruff

79153227

Date: 2024-11-03 17:06:48
Score: 2
Natty:
Report link

I had this Issue at some point, my issue was due to circular dependency. you can also cross-check on your end. I Injected a service(Service A) into a class (Class B) and unknowingly wanted to inject Class B in Service A. which caused the error.

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

79153225

Date: 2024-11-03 17:05:48
Score: 0.5
Natty:
Report link

I solved the above by changing the runner from DirectRunner to DataflowRunner it seems directrunner which is meant for local testing does not support fully all the to_dataframe functionalities when streaming is set to True(above am streaming data from a pubsub topic)

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

79153221

Date: 2024-11-03 17:03:47
Score: 2.5
Natty:
Report link

First, "scontrol show config" will display all system-wide config settings. Of course, there are many limits which are set per-association (some combination of user and account).

As a large-cluster admin, I beseech you to consider what you're doing. Yes, you have a lot of separate work-units. We love that! The point is that they should probably not be separate jobs - remember that a job array is just a shorthand for submitting jobs. Each jobarray member is a full-scale job that incurs the same cost to the cluster - so short jobarray members are as shameful as short single jobs.

Instead of thinking: I have 18k "jobs", how do I beat the BOFH admins and get them run, think "what is the most efficient resource configuration to run a single unit, and how long does it take on average, and how many resources can I expect to consume from the cluster at once, so how should I lay out those work units into separate jobs?"

  1. measure your units of work. by that I really mean measure the scaling and resource requirements. are each of them serial? measure their %CPU, measure how much memory they need. heck, how much IO do they do? if you run them with plenty of memory, but one core, and the %CPU is not 100%, you're probably waiting on IO. You should know the average %CPU of a unit, it's required memory, and the amount of IO the job performs. you should also understand any parallel scaling of your workload (treating it as serial is a perfectly find initial assumption).

  2. what resources can you realistically expect to consume? you might not be allowed to consume all the cluster's nodes. you might be "charged" for both cpu and memory occupancy. the cluster certainly has limited IO capabilities, so how much of that can use?

  3. now do a sanity-check: what's your total resource demand, and how many resource can you realistically expect to grab? you can do this calculation for cores as well as IO. this exercise will tell you whether you need to make your workflow more efficient (maybe optimizing jobs so they can share inputs, do node-local caching, tune the number of cores-per-task, etc).

  4. schedule batches of work-units onto the resource-units you have available. for instance, you could simply run 180 jobs of 100 work-units each. that could make sense if 100 units take elapsed time within the limits of your cluster. if your work-units are quick, each such job could just be a sequence of those 100 units. if your cluster allows only whole-node jobs, you'll almost certainly want to use something like GNU Parallel to run several work-units at a time.

  5. now also think about your rate of consuming resources: for instance, if your self-scheduling works, what will be the aggregate IO created by the concurrent jobs? is that achievable on your cluster? similarly, unless you have the cluster to yourself, all your jobs may not start instantly, so how does that affect your expectations?

In other words, you need to self-schedule, not just throw jobs at the cluster. You can start with a silly configuration (submit one serial job that runs each of 18k work-units one at a time). that will take forever, so if each work-unit consumes 100% of a cpu, use GNU Parallel (or even xargs!) to run several at the same time, still within one job (presumably allocating more cores for the job). and further is to split the 18k across several such jobs. the right layout depends entirely on your jobs (their resource demands and efficient configs) convolved with cluster policy (like core or job limits), and "clipped" by rate-like capacity such as IO.

Reasons:
  • Blacklisted phrase (1): how do I
  • Blacklisted phrase (1): how should I
  • Long answer (-1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: markhahn

79153213

Date: 2024-11-03 17:00:43
Score: 6 🚩
Natty:
Report link

I'm facing the same issue while adding whatsapp.

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): I'm facing the same issue
  • Single line (0.5):
  • Low reputation (1):
Posted by: Ankish Tirpude

79153187

Date: 2024-11-03 16:49:39
Score: 3.5
Natty:
Report link

Try using TCP instead of UDP. Also ensure that u have ffmpeg installed.

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

79153174

Date: 2024-11-03 16:41:37
Score: 3
Natty:
Report link

Made a small project, i will probably change it up a little bit but at its core it has JS syntax highlighting inside CDATA: https://github.com/Hrachkata/RCM-highlighter

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

79153169

Date: 2024-11-03 16:38:36
Score: 3
Natty:
Report link

Its the same case for me brother ! since 3 days still can't fix it !

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Malo O. Zeus

79153167

Date: 2024-11-03 16:36:36
Score: 5
Natty: 5
Report link

i think that nc is used to connect to the port and input some info. but now u said that use nc to make port listen, what does it mean?

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

79153164

Date: 2024-11-03 16:35:35
Score: 1
Natty:
Report link

On your developer pc you need to merge all 4 bin files into one .bin file. This can be achieved in two ways:
or to use github.com/vtunr/esp32_binary_merger
or to use (built-in esptool functionality, i would use this) esptool merge_bin command

On the customer pc, you may install esptool and use write_flash command, but easier way just to install Flash Download Tool from espressif tools.
Keep in mind, your start address for flashing will be 0x0000

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

79153157

Date: 2024-11-03 16:28:34
Score: 1.5
Natty:
Report link

Having this in the pyproject.toml solved the issue for me (Windows). Found it here: https://github.com/tensorflow/io/issues/1881#issuecomment-1869088155

python = ">=3.10,<3.12"
tensorflow = "^2.13.0"
tensorflow-io-gcs-filesystem = [
    { version = ">= 0.23.1", markers = "platform_machine!='arm64' or platform_system!='Darwin'" },
    { version = "< 0.32.0", markers = "platform_system == 'Windows'" }
]
Reasons:
  • Probably link only (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Stefan

79153155

Date: 2024-11-03 16:28:34
Score: 2.5
Natty:
Report link

I had my system date changed to a future date for application testing and it would hang on "verifying if you are a human" on all browsers. Check your system date time.

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

79153143

Date: 2024-11-03 16:21:32
Score: 1.5
Natty:
Report link

Change width to 704 it will cover complete width for that component

# Show Map
st_folium(
    folium.Map(
        location=[-20, 130], 
        zoom_start=4, 
        control_scale=True), 
    width=704, 
    height=400  )

enter image description here

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

79153137

Date: 2024-11-03 16:18:30
Score: 1
Natty:
Report link
  1. create a new database.
  2. then use the below command
mysql -u {username} -p {databasename}
  1. enter password

  2. then add file path or filename

    . | source

file must have .sql extension

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

79153123

Date: 2024-11-03 16:11:29
Score: 2.5
Natty:
Report link

What solved this for me was going to the Access Control for the AKS resource and granting myself the "Azure Kubernetes Service RBAC Cluster Admin" role. Having the "Owner" role alone was not sufficient to admin the cluster.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): What solve
  • Low reputation (0.5):
Posted by: Sean Burton

79153111

Date: 2024-11-03 16:06:25
Score: 6.5 🚩
Natty:
Report link

Thanks for this solution!

My idea was similar to @Kek Silva:

$user = [System.Security.Principal.WindowsIdentity]::GetCurrent().Name
$regRights = [System.Security.AccessControl.RegistryRights]::SetValue
$inhFlags = [System.Security.AccessControl.InheritanceFlags]::None
$prFlags = [System.Security.AccessControl.PropagationFlags]::None
$acType = [System.Security.AccessControl.AccessControlType]::Deny

$rule = New-Object System.Security.AccessControl.RegistryAccessRule($user, $regRights, $inhFlags, $prFlags, $acType)
$acl = Get-Acl 'HKCU:\Software\Microsoft\Windows\CurrentVersion\Explorer\FileExts\.log\UserChoice2'
$acl.RemoveAccessRule($rule)
$acl | Set-Acl -Path 'HKCU:\Software\Microsoft\Windows\CurrentVersion\Explorer\FileExts\.log\UserChoice'

Remove-Item -Path HKCU:\Software\Microsoft\Windows\CurrentVersion\Explorer\FileExts\.log\UserChoice -Confirm:$false

Can someone explain why the typical approach doesn't work?

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • RegEx Blacklisted phrase (2.5): Can someone explain
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • User mentioned (1): @Kek
  • Looks like a comment (1):
  • Low reputation (0.5):
Posted by: Michael

79153110

Date: 2024-11-03 16:06:25
Score: 1
Natty:
Report link

Enabling TAction and creating ExitActionExecute function solved my problem.

void __fastcall TForm1::ExitActionExecute(TObject *Sender)
{
// function to show up the element
}
//---------------------------------------------------------------------------
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: persona

79153102

Date: 2024-11-03 16:01:24
Score: 2
Natty:
Report link

In my opinion inheritance is helpful. For example think of some basic columns in database tables which all tables have in common, modeled with a corresponding abstract EntityBase class (id, user, changeuser, changedate, changeuser).

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

79153093

Date: 2024-11-03 15:55:23
Score: 1
Natty:
Report link

Ok, now I have the final answer. Thanks to the 1st answer from this question on Stack Exchange.

Apparently Sqlite only disallows access to outer tables when directly joining subqueries. However, it does allow access to outer tables inside subqueries that are part of "on" clauses.

In the example below, I'm using a "correlated scalar subquery" (according to "explain query plan") which allows full access to the current row of the parent student table. There's even no need to use a "limit 1" in the subquery, because Sqlite assumes only the 1st row should be returned in order to satisfy the "on" clause.

select
  student.name,
  testScore.score as topScore,
  testScore.day as topScoreDay
from
  student
  left join testScore on testScore.id = (
    select id from 
      testScore 
    where 
      testScore.studentId = student.id
    order by 
      score desc
  )
order by
  topScore desc;
Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Bill F.

79153092

Date: 2024-11-03 15:54:23
Score: 3.5
Natty:
Report link

Solved. Iw was double encryption. I was also encripting password on User model level every time when user was created. So it was double encpypted :)

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

79153090

Date: 2024-11-03 15:54:23
Score: 0.5
Natty:
Report link

In case you're using Clerk and Supabase locally, make sure to use the "JWT secret" from your local Supabase environment as "Signing Key" when setting up the JWT template in Clark.

As already mentioned you can display local setting and keys using: supabase status

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

79153080

Date: 2024-11-03 15:51:22
Score: 0.5
Natty:
Report link

If you have tried all of these and they did not work out. There is a problem with the current version of android studio configuration file that you are using. Please try this solution. Follow this.

  1. Find the configuration file by entering the path

/Users/xxxxx(your username)/Library/Application Support/Google.

  1. Find the current version of the as configuration file
  2. Delete the file or folder.
  3. Reopen Android Studio and follow the instructions to install all the SDKs, Emulator and all that. just like the first time you installed it.

I hope this resolves your problem.

Reasons:
  • Blacklisted phrase (1): did not work
  • Whitelisted phrase (-1): try this
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Anusionwu Chikeluba

79153078

Date: 2024-11-03 15:50:19
Score: 7 🚩
Natty: 6.5
Report link

dateFullCellRender is now deprecated - how do you fix this issue still persists for me using cellRender. Thanks

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (1): how do you
  • RegEx Blacklisted phrase (2.5): do you fix this
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: michael smith

79153072

Date: 2024-11-03 15:47:18
Score: 3.5
Natty:
Report link

enter code herejust reload the packages and install extension it may help to load all widgets enter image description here

clear all the data from it and just reload it

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Prudhvi SL007

79153071

Date: 2024-11-03 15:47:18
Score: 0.5
Natty:
Report link

This issue isn't reproducible in PowerShell 7 latest, but in Windows PowerShell 5.1 Group-Object with a string property (-Property weight) doesn't know how to handle incoming hash tables (@{ ... }) from pipeline but you can help it using a calculated expression instead:

@(
    @{ name = 'a' ; weight = 7 }
    @{ name = 'b' ; weight = 1 }
    @{ name = 'c' ; weight = 3 }
    @{ name = 'd' ; weight = 7 }
) | Group-Object -Property { $_.weight } -NoElement
Reasons:
  • RegEx Blacklisted phrase (3): you can help
  • Has code block (-0.5):
  • High reputation (-2):
Posted by: Santiago Squarzon

79153061

Date: 2024-11-03 15:41:17
Score: 3.5
Natty:
Report link

I edited the image and I added white background to it.

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

79153060

Date: 2024-11-03 15:41:16
Score: 1
Natty:
Report link

Springfox is somewhat outdated now, and I’ve been using Springdoc OpenAPI instead. It’s been working perfectly.

https://springdoc.org/

  <dependency>
     <groupId>org.springdoc</groupId>
     <artifactId>springdoc-openapi-starter-webmvc-ui</artifactId>
     <version>2.6.0</version>
  </dependency>
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Sérgio Serra

79153058

Date: 2024-11-03 15:39:16
Score: 1.5
Natty:
Report link

In the root of your project, there's a public folder where you can add assets like favicon.png, robots.txt, and other static files. Any files placed here will be directly accessible from the root URL,

Nextjs Docs

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

79153054

Date: 2024-11-03 15:37:15
Score: 2
Natty:
Report link

FabricMC posted an official blog Fabric for Minecraft 1.20.5 & 1.20.6. In the blog, FabricMC announced that there are some changes. And you can also find the documentation here, it works for all the game versions after 1.20.5.

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

79153051

Date: 2024-11-03 15:36:15
Score: 2.5
Natty:
Report link

I ended up downloading the support files from https://github.com/filsv/iOSDeviceSupport/blob/master/14.7.1.zip and installing them to XCode manually.

I am not sure why the support files went missing. My guess is that XCode auto-updated from 16.0 to 16.1 without my knowledge, and 16.1 didn't contain this iOS version.

This issue is now resolved and I can build again.

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

79153046

Date: 2024-11-03 15:34:15
Score: 0.5
Natty:
Report link

Here is the information formatted in a PDF file:

Almarai Company Financial Ratios

Liquidity Ratios (2018):

Ratio Formula Equation Times %
Current Ratio Current Assets / Current Liability 3,791 / 2,624 = 1.45
Quick Ratio Quick Assets / Quick Current Liabilities 1,902 / 2,624 = 0.73

Liquidity Ratios (2019):

Ratio Formula Equation Times %
Current Ratio (Current Assets + Current Liability) / Current Liability (4,264 + 3,016) / 3,016 = 2.41
Quick Ratio Quick Assets / Quick Current Liabilities 2,186 / 2,264 = 0.97

Activity Ratios (2018):

Ratio Formula Equation Times %
Stock Turnover Ratio Cost of sales / Average inventory 9,900 / 1,220 = 8.11
Working Capital Turnover Sales + Net working capital 12,050 / (3,791 - 2,624) = 7.16

Activity Ratios (2019):

Ratio Formula Equation Times %
Stock Turnover Ratio Cost of sales / Average inventory 10,700 / 1,290 = 8.29
Working Capital Turnover Sales + Net working capital 13,700 / (4,264 - 3,016) = 6.98

Profitability Ratios (2018):

Ratio Formula Equation Times %
Net Profit Ratio Net profit after tax / Net sales 1,223 / 12,050 = 10.14%
Operating Profit Ratio Net Operating profit / Sales 1,870 / 12,050 = 15.52%
Return on Investments Net profit after tax / Shareholder fund 1,223 / 7,937 = 15.40%

Profitability Ratios (2019):

Ratio Formula Equation Times %
Net Profit Ratio Net profit after tax / Net sales 1,350 / 13,700 = 9.85%
Operating Profit Ratio Operating net profit / Sales 2,150 / 13,700 = 15.69%
Return on Investments Net profit after tax / Shareholder fund 1,350 / 8,887 = 15.19%
Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: ibrahim s

79153022

Date: 2024-11-03 15:22:11
Score: 3
Natty:
Report link

Try taking a look at my library, it might be right for you. Through jpa-search-helper you can, in addition to building dynamic and advanced queries, apply the projection of only the fields you want. All based on JPA entities (and nested entities)

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

79153020

Date: 2024-11-03 15:22:11
Score: 0.5
Natty:
Report link

If you're not dead set on vanilla javascript, you could consider Bluebird.props:

let {
    grassTexture,
    stoneTexture,
    ...
} = await Bluebird.props({
    grassTexture: loadGrassTexture(),
    stoneTexture: loadStoneTexture(),
    ...
})
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Hoopra

79153013

Date: 2024-11-03 15:18:11
Score: 2
Natty:
Report link

You can do either check the CartItems is correctly stored in localstorage or retrieve correctly.

If everything is okay, then clearing the localstorage,session,cookies sometimes work and save lot of time. Even switching to new Incognito Window (private window) is helpful. Thank you!

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: root_coding

79153011

Date: 2024-11-03 15:17:10
Score: 3
Natty:
Report link

Sysdate-5 means it will apply -5 to date but timestamp remains whatever the current timestamp. So that might be the reason you are getting lesser records.

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

79153003

Date: 2024-11-03 15:14:10
Score: 0.5
Natty:
Report link

The correct way to initialize the pnpjs graph is to use GraphBrowser() instead DefaultInit().

this.graph = graphfi().using(GraphBrowser(), i => (i.on.auth.replace(async (s, c) => {
        const l = await this.authService.getGraphApiToken({
            authority: this.authority
        });
        if (!l) {
            console.error("No token");
        }
        return c.headers = {
            ...c.headers,
            Authorization: `Bearer ${l.accessToken}`
        },
        [s, c]
    }), i));
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Frank Link

79152994

Date: 2024-11-03 15:10:08
Score: 5
Natty:
Report link

I am also looking for anchor text for url placement. For example of my text is Enhance.

Reasons:
  • Blacklisted phrase (2): I am also looking
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Remini Download

79152991

Date: 2024-11-03 15:10:08
Score: 2
Natty:
Report link

on windows it is showing an error: note: This error originates from a subprocess, and is likely not a problem with pip. error: metadata-generation-failed

× Encountered error while generating package metadata. ╰─> See above for output.

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

79152986

Date: 2024-11-03 15:08:08
Score: 2
Natty:
Report link

That seems to be a bug in DigitalOcean. I've tried doing the same and my Registry shows 0 bytes used.

Open a ticket if the problem still persists.

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

79152978

Date: 2024-11-03 15:04:07
Score: 1
Natty:
Report link

now you should do a POST request to: https://graph.facebook.com/{{Version}}/{{Phone-Number-ID}}/register EDIT: and the body:

{
    "messaging_product": "whatsapp",
    "pin": "<your-6-digit-pin>"
}

do not forget to add your bearer token before making the request!

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

79152974

Date: 2024-11-03 15:02:06
Score: 0.5
Natty:
Report link

The behavior with IntPtr and out when using P/Invoke can be understood through how the interop marshalling works in .NET. Essentially, interop marshalling is a runtime mechanism that translates managed data types into unmanaged types and vice versa, depending on how data is passed between managed and unmanaged code. This process involves making sure that the data representation is consistent on both sides.

When using "out IntPtr" in P/Invoke, it means that the unmanaged code will allocate a value for the IntPtr that gets assigned to the caller. For these scenarios, P/Invoke handles the memory directly, and IntPtr is used to keep track of pointers to unmanaged memory allocated by the unmanaged function.

One of the key points is that out or ref on IntPtr means the runtime will handle marshalling the address so that the underlying value can be written directly into the managed memory by the unmanaged call. This is why accessing the address of the IntPtr using &IntPtr is correct because it tells the unmanaged function where in the managed heap it can write the value (the pointer).

On the other hand, when allocating memory explicitly (such as GPU memory allocation), IntPtr.ToPointer() is used to obtain the raw pointer value that represents the address in the unmanaged memory. This difference arises from whether you're manipulating the pointer itself (IntPtr as a container) or manipulating the address it points to (using ToPointer).

For more details on how P/Invoke marshals IntPtr and other types, including how data is passed between managed and unmanaged memory, refer to the Microsoft documentation on interop marshalling and platform invoke, which gives a good overview of how data is handled in these interop scenarios​:

P/Invoke

Interop Marshalling

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

79152968

Date: 2024-11-03 14:59:06
Score: 2
Natty:
Report link

You can check /dev/shm:

docker exec -it container_name /bin/bash    
du -sh /dev/shm
df -h /dev/shm
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Tony Zhang

79152946

Date: 2024-11-03 14:48:03
Score: 1.5
Natty:
Report link

You can avoid this problem by using python 3.12

Although FreeSimpleGUI claims to be compatible with python 3.4+, it is apparently not compatible with python 3.13.

Your import statement works fine using python 3.12

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

79152935

Date: 2024-11-03 14:42:01
Score: 4
Natty: 5
Report link

Clio Automation, clio integration and workflow

https://zeep.ly/pgGhi

https://zeep.ly/rkWyo

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

79152929

Date: 2024-11-03 14:37:00
Score: 4
Natty:
Report link

It seems to me I found nessesery information (link above). https://docs.geoserver.org/2.19.x/en/user/geowebcache/webadmin/defaults.html  In the cache defaults setting, we can configure reset cache policies:)

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Андрей Дьячков

79152922

Date: 2024-11-03 14:33:59
Score: 1
Natty:
Report link

In my case, there was a vscode extension that was conflicting with java extensions and making them very very slow, try to identify this problamatic extension and disable / uninstall it.

I identified that problamatic extension by looking at the extensions tab in vscode, then I noticed there was a small text beside one of them, it was : "extension (...) has reported one message, i opened that message and it said that the extension took a huge amount of time to run, so uninstalling it solved the proplem

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

79152913

Date: 2024-11-03 14:27:58
Score: 1.5
Natty:
Report link

I found solution. You need at first ask for permission on options.html (or any extension page), After user accepts, you are able to use navigator.mediaDevices.getUserMedia() inside offscreen.html

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

79152906

Date: 2024-11-03 14:25:57
Score: 4
Natty:
Report link

I found the problem solved in this post, you can refer to it.

Laravel 5 : Use different database for testing and local

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

79152890

Date: 2024-11-03 14:14:55
Score: 0.5
Natty:
Report link

You can find non git tracked files with git ls-files --others --ignored

Command: rsync -av --files-from=<(git ls-files --others --ignored) MYDEST

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

79152882

Date: 2024-11-03 14:10:54
Score: 1
Natty:
Report link
import mysql from 'mysql';
import express from 'express';
import bodyParser from 'body-parser';
import session from 'express-session';

const app = express();

// Middleware setup
app.use(bodyParser.urlencoded({ extended: true }));
app.use(express.static('public'));
app.use(session({ secret: 'your-secret-key', resave: false, saveUninitialized: false }));
app.set('view engine', 'ejs');
Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: ttser123

79152842

Date: 2024-11-03 13:49:48
Score: 2
Natty:
Report link

Bro, you can't just "make an app". You have to plan where to develop it, learn a programming language, design models, and much more. Regardless, I would suggest you use the software "SweetHome3D" to simulate your house walls.

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

79152832

Date: 2024-11-03 13:46:47
Score: 1
Natty:
Report link

Simply wrapping the quill-view-html in a div fixed it for me.

<h2>Before viewer HTML</h2>

<div>
    <quill-view-html [content]="htmlContent"></quill-view-html>
</div>

<h2>After viewer HTML</h2>
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: David Sneary

79152829

Date: 2024-11-03 13:44:47
Score: 2.5
Natty:
Report link

1.Set a Request Size Limit in http.MaxBytesReader 2.Check Content-Type and Log Details for Troubleshooting 3.Ensure the Route Can Handle Large Files

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

79152820

Date: 2024-11-03 13:40:46
Score: 1.5
Natty:
Report link

Thanks to Mike M.

I found a workaround to change an icon without closing the app. All you need to create another config activity and set main activity's launch mode to single instance.

<activity
        android:name=".config.ConfigActivity"
        android:exported="true"
        android:enabled="true"
        android:icon="@mipmap/ic_light"
        android:screenOrientation="sensorPortrait"
        tools:ignore="DiscouragedApi,LockedOrientationActivity">
        <intent-filter>
            <action android:name="android.intent.action.MAIN" />

            <category android:name="android.intent.category.LAUNCHER" />
        </intent-filter>
    </activity>

    <activity
        android:name=".MainActivity"
        android:exported="true"
        android:enabled="false"
        android:icon="@mipmap/ic_light_round"
        android:launchMode="singleInstance"
        android:screenOrientation="sensorPortrait"
        tools:ignore="DiscouragedApi,LockedOrientationActivity">
        <intent-filter>
            <action android:name="android.intent.action.MAIN" />

            <category android:name="android.intent.category.LAUNCHER" />
        </intent-filter>
    </activity>

    <activity-alias
        android:name=".MainActivityDark"
        android:exported="true"
        android:enabled="false"
        android:icon="@mipmap/ic_dark_round"
        android:targetActivity=".MainActivity">
        <intent-filter>
            <action android:name="android.intent.action.MAIN" />

            <category android:name="android.intent.category.LAUNCHER" />
        </intent-filter>
    </activity-alias>

After this you have to do some manipulations:

· Enable main activity in onCreate() and start it with some extra - Boolean:

override fun onCreate(savedInstanceState: Bundle?) {
    super.onCreate(savedInstanceState)
    this.enableMainActivity()
    startActivity(
        Intent(this, MainActivity::class.java).apply {
            putExtra("is_config", true)
        }
    )
}

· Disable config activity in onCreate():

override fun onCreate(savedInstanceState: Bundle?) {
    super.onCreate(savedInstanceState)

    val isConfigNeeded = intent.getBooleanExtra("is_config", false)
    if (isConfigNeeded) {
        disableConfigActivity()
    }

    // UI
}

App will start closing, but don't worry. The only one step is ahead:

· Start main activity in config activity's onDestroy():

override fun onDestroy() {
    super.onDestroy()
    startActivity(Intent(this, MainActivity::class.java))
}

Thank you for the attention! Github repo: xo-tymoshenko/iconchange

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (0.5): Thanks
  • Contains signature (1):
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: xo-tymoshenko