79393141

Date: 2025-01-28 08:32:22
Score: 1
Natty:
Report link

I recommend not mixing threads with asyncio, I wasted a day trying to replicate all examples here and still got the error "cannot schedule new futures after interpreter shutdown". It seems the asyncio loop is getting shut down by its thread at some point in my case, maybe while switching between threads, and the lib I am using has many async functions in its internals.

I only got rid of this error by removing asyncio from threads. I think it's a valid warning for those who may experience a similar issue.

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

79393136

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

To fix the issue, update your Aptfile to replace libasound2 and libasound2-dev with libasound2t64

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

79393125

Date: 2025-01-28 08:27:21
Score: 2
Natty:
Report link

If these are 2 different repo's then it's not possible to call the APIs implemented in Playwright directly within your WebdriverIO tests. You'll need to duplicate or rewrite them for WebdriverIO.

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

79393111

Date: 2025-01-28 08:22:20
Score: 2
Natty:
Report link

If you use the search terms "Basic Text Area Styling in Spotfire" you will find a You Tube video that should help you. It is from 2020 hopefully up to date enough for your needs.

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

79393103

Date: 2025-01-28 08:18:19
Score: 2.5
Natty:
Report link

When you test the changes you applied, are you trying it in the server's local or are you checking it from a different environment? Because if you try this in the server, it will already show you the error because it considers you safe.

Reasons:
  • Whitelisted phrase (-1): try this
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): When you
  • Low reputation (1):
Posted by: TarikZengin

79393098

Date: 2025-01-28 08:15:18
Score: 1
Natty:
Report link

TextField( controller: _controller, decoration: InputDecoration( labelText: 'Enter Amount', border: OutlineInputBorder(), suffixText: ' USD', // Currency symbol as suffix suffixStyle: TextStyle(fontSize: 16, fontWeight: FontWeight.bold), ), keyboardType: TextInputType.numberWithOptions(decimal: true), ),

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

79393093

Date: 2025-01-28 08:14:18
Score: 1
Natty:
Report link

It looks like you're trying to order the results by the position field within a nested relationship, but the orderBy isn't working as expected. In your query, you're using the with method to eager load the catproduct and rproduct relationships, and then applying the orderBy inside the closure for the rproduct relationship.

However, the issue could arise from the way the query is structured. Here's how you can modify the code to ensure it works properly:

$pr_data = Category::with(['catproduct.rproduct' => function($query) {
$query->where('status', '1')->orderBy('position', 'asc');
}])
->where('id', $categoryDetials->id)
->get();

This code should work if the relationships are set up correctly, but if it's still not working, there are a few things to check:

  1. Check Relationship Definitions Ensure that the relationships in your Category model (catproduct and rproduct) are correctly defined. For example:

Category model should have a relationship like:

public function catproduct()
{
 return $this->hasMany(CatProduct::class);
}
public function rproduct()
{
 return $this->hasMany(RProduct::class);
}
  1. Check the position Field Ensure that the position field exists in the rproduct table and is an integer (or another comparable type).

  2. Use orderBy on the Parent Level If you want to order the Category results as well, you can apply orderBy to the main query:

    $pr_data = Category::with(['catproduct.rproduct' => function($query) { $query->where('status', '1')->orderBy('position', 'asc'); }]) ->where('id', $categoryDetials->id) ->orderBy('id', 'asc') // Example: Ordering categories by their ID ->get();

Reasons:
  • Blacklisted phrase (2): still not working
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: mehdi musavi

79393091

Date: 2025-01-28 08:14:18
Score: 1.5
Natty:
Report link

I encountered a similar issue where I couldn't find the pages_read_engagement and other page-related permissions.

To resolve this, I created a completely new app and selected the App Type: "Business". This allowed me to access all the necessary permissions. Please note that you should only select the Consumer type if you need basic login permissions and advertisement permissions

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

79393089

Date: 2025-01-28 08:13:17
Score: 2
Natty:
Report link

Frankly speaking. People who try to crack others' property has very low level of educated in the IT field. Just do netstat -an. Why scan the whole range from 1 to 65k? Why do you say a normal app aren't allowed to be a server app, and opening a port? What port is allow and what port not? Very low level of educated knowledge in IT

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

79393080

Date: 2025-01-28 08:09:17
Score: 2
Natty:
Report link

This is actually a common issue when working with validation annotations in Spring Boot. The problem here is that both @NotBlank and @Size(min = 2) are getting triggered, even when you send an empty string. Here’s why:

@NotBlank checks if the string is not empty (or just whitespace). @Size(min = 2) checks the length of the string to make sure it has at least 2 characters. When you send an empty string, @NotBlank will fail first because the field is empty. But Spring’s validation process doesn’t stop there — it will still evaluate other constraints, like @Size(min = 2), and give you both error messages.

In terms of validation flow, Spring doesn’t guarantee that @NotBlank will always run first, and both annotations are usually evaluated together. So in this case, you’re seeing both errors even though you expected @NotBlank to take precedence.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • User mentioned (1): @NotBlank
  • User mentioned (0): @NotBlank
  • User mentioned (0): @NotBlank
  • User mentioned (0): @NotBlank
  • User mentioned (0): @NotBlank
  • Low reputation (1):
Posted by: Vedant Kakade

79393078

Date: 2025-01-28 08:08:16
Score: 4.5
Natty: 5.5
Report link

My BGMI account not login to twitter account please fix this bugs and glitch. Thanks

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

79393066

Date: 2025-01-28 08:02:15
Score: 0.5
Natty:
Report link

The following steps worked for me:

run flutter clean close project open android folder with Android Studio sync with gradle close Android Studio open your project run flutter pub get

Reasons:
  • Whitelisted phrase (-1): worked for me
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Anas Abd Elazim

79393059

Date: 2025-01-28 07:57:13
Score: 0.5
Natty:
Report link

Finally, I changed my method of working with my powerpoint. I use the method described in the python library :

if name == "main": # Charger le template template_path = 'path/to/template.pptx' with open(template_path, 'rb') as f: source_stream = BytesIO(f.read()) prs = Presentation(source_stream)

# Exemple de données
data = {
    'nom_projet': 'Projet X',
    'date': '2023-10-01',
    # Ajoutez d'autres paires clé-valeur selon vos besoins
}

generate_template(prs, data)
fill_in_doc(prs, data)

# Sauvegarder la présentation
target_stream = BytesIO()
prs.save(target_stream)
with open('path/to/output.pptx', 'wb') as f:
    f.write(target_stream.getvalue())
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Louise Hinard

79393057

Date: 2025-01-28 07:57:13
Score: 4
Natty:
Report link

JsonExecutionRequest is not a dict object.

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

79393054

Date: 2025-01-28 07:56:12
Score: 2
Natty:
Report link

I have this exact same issue / question. The 'Startsession' middleware resets the session and therefore resets the set flash messages (it seems).

Really hope someone found out how to get both 'normal' sessions and flash-messages to work properly in Laravel 11.

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

79393053

Date: 2025-01-28 07:56:12
Score: 2.5
Natty:
Report link

Thanks to @PySir I got it working!

You were right. You cannot "Upload & Publish" in one step, the video needs to be first uploaded and then you can 'create a video object' on your channel, then publish it. After uploading a video you can then create the object and publish in one step and thats where I was getting confused as the docs say to 'upload & publish'

Anyways, Here's what I used:

app.post('/api/dailymotion/upload', async (req, res) => {
    const localVideoDirectory = path.join(__dirname, 'videos');

    try {
        const videos = fs.readdirSync(localVideoDirectory)
            .filter(file => file.endsWith('.mp4') || file.endsWith('.mkv') || file.endsWith('.avi'))
            .map(file => ({
                name: file,
                path: path.join(localVideoDirectory, file),
                normalizedName: file.replace(/\.[^/.]+$/, '').toLowerCase(),
            }));

        if (!videos.length) {
            return res.status(400).send('No video files found in the local directory.');
        }

        console.log('[📂] Found Local Videos:', videos);

        const token = await getAccessToken();

        const existingVideosResponse = await axios.get(`${DAILY_API_BASE}/me/videos`, {
            params: { fields: 'title', access_token: token },
        });

        const existingVideoTitles = existingVideosResponse.data.list.map(video =>
            video.title.toLowerCase().trim()
        );
        console.log('[📂] Existing Dailymotion Videos:', existingVideoTitles);

        const videosToUpload = videos.filter(video =>
            !existingVideoTitles.includes(video.normalizedName)
        );
        console.log('[📂] Videos to Upload:', videosToUpload);

        if (!videosToUpload.length) {
            return res.status(200).send('All videos are already uploaded.\n');
        }

        const uploadResults = await Promise.all(videosToUpload.map(async (video) => {
            try {
                console.log(`[📂] Preparing to upload video: ${video.name}`);

                const uploadUrlResponse = await axios.get(`${DAILY_API_BASE}/file/upload`, {
                    params: { access_token: token },
                });

                const uploadUrl = uploadUrlResponse.data.upload_url;
                console.log('[🌐] Upload URL:', uploadUrl);

                const videoData = fs.readFileSync(video.path);
                const form = new FormData();
                form.append('file', videoData, video.name);

                const uploadResponse = await axios.post(uploadUrl, form, {
                    headers: { ...form.getHeaders() },
                    maxContentLength: Infinity,
                    maxBodyLength: Infinity,
                });

                console.log('[✅] Video Uploaded:', uploadResponse.data);

                const videoUrl = uploadResponse.data.url;
                const videoName = uploadResponse.data.name;

                console.warn('[🌐] Video URL for Publishing:', videoUrl);
                console.warn('[🌐] Video Name for Publishing:', videoName);

                const publishResponse = await axios.post(
                    `${DAILY_API_BASE}/me/videos`,
                    {
                        url: videoUrl,
                        title: videoName,
                        channel: 'music',
                        published: 'true',
                        is_created_for_kids: 'false',
                    },
                    {
                        headers: {
                            Authorization: `Bearer ${token}`,
                            'Content-Type': 'application/x-www-form-urlencoded',
                        },
                    }
                );

                console.log('[✅] Video Published:', publishResponse.data);

                return publishResponse.data;
            } catch (error) {
                console.error(`[❌] Error processing video (${video.name}):`, error.response?.data || error.message);
                return { error: error.message, video: video.name };
            }
        }));

        res.json(uploadResults);
    } catch (error) {
        console.error('[❌] Error in upload endpoint:', error.message);
        res.status(500).send('Error uploading videos.');
    }
});

I need to refactor some things now, making it more comprehensive and fault tolerant and point it back to the cloud instance for finding files automatically and finish some styling. Other than that the core logic is there now and I am able to scan for and upload videos programatically! Thank you very much for your patience @PySir

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (0.5): I need
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @PySir
  • User mentioned (0): @PySir
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: char

79393050

Date: 2025-01-28 07:54:12
Score: 0.5
Natty:
Report link

Use negative numbers for the rows before the current row in rowsBetween. It's NULL because there are no rows between start=5 end end=0

window = Window.orderBy("new_datetime").rowsBetween(-5, Window.currentRow)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: techtech

79393043

Date: 2025-01-28 07:47:11
Score: 1
Natty:
Report link

I found that your .env file contains DATABASE_URL which will be used for makefile to do migration up (https://github.com/bantawa04/go-fiber-boilerplate/blob/016a2b45c06882aea0d1efb8123e0cecdac427e2/.env#L11) i believe that your migration up is failed because your database host is database in .env file which is not pointing to anywhere. to make your code works your need to update DATABASE_URL from

postgresql://${DB_USERNAME}:${DB_PASSWORD}@database:5432/${DB_NAME}?sslmode=${DB_SSL_MODE}

to

postgresql://${DB_USERNAME}:${DB_PASSWORD}@{DB_HOST}:5432/${DB_NAME}?sslmode=${DB_SSL_MODE}

DB_HOST can be anything like localhost, ip address or your database's host in other server.

run smoothly on my local after edit database host

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

79393034

Date: 2025-01-28 07:41:09
Score: 1
Natty:
Report link

I'm just updating an app from v3 primevue to v4 It looks like font is no longer defined as a default

From https://primevue.org/theming/styled/

There is no design for fonts as UI components inherit their font settings from the application.

So, it seems correct that we should now have to define the font-family on the body tag instead.

There is no default font defined

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

79393031

Date: 2025-01-28 07:40:09
Score: 3.5
Natty:
Report link

I ended up doing as @MartinDotNet suggested — creating dummy root span at the beginning, and using it as a parent for the future spans. The main point that I was missing is that children can be attached to the parent span even after parent is already closed.

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

79393029

Date: 2025-01-28 07:38:07
Score: 4
Natty: 5
Report link

In 2025, Microsoft have thier NPM Package Link is https://www.npmjs.com/package/@microsoft/clarity

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

79393014

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

If you are using a ROOM database, then check your entities.

I was using a predefined database created with DB Browser (SQLite),and I had camel cased a couple of fields, and this was causing the problem.

Try running the app normally and check your logcat.

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

79393008

Date: 2025-01-28 07:20:03
Score: 2.5
Natty:
Report link

it's working for me with below version pip install google-cloud-secret-manager==2.10.0

from google.cloud import secretmanager

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

79392998

Date: 2025-01-28 07:15:02
Score: 0.5
Natty:
Report link

The answer is complex, dealing with multiple different kinds of constructors.

Let's break it down:

books *B = new books [num];

This actually calls the default constructor num times. Try putting a cout statement in the default constructor and you will see it being created.

B[i] = books (author, title, price, publisher, stock);

This is called Copy-Assignment constructor. Again, if you add the copy assignment constructor, book& operator=(const book& other) and add a cout, it will appear. Because you are assigning to a value that already exists, the old value is getting destructed (the value you instantiated when you create the original books array) and being updated with the new value in the for loop.

what could I do so that the destructor is called only at the end of main()

There are ways to do this with C++ pointers, such as having an array of pointers. Something like this:

Foo** foo = new Foo*[num];
for (int i = 0; i < num; i++)
{
    foo[i] = new Foo();
}
for (int i = 0; i < num; i++)
{
    delete foo[i];
}
delete[] foo;

But this is rather complicated. There are many solutions, but I think the simplest solution in your case is just to update the instance rather than create a new object, i.e. B[i].author = author

Secondly, if, instead of an explicit destructor, I make a function like destroybooks() below and call it through a for loop, do I then also need to have a statement like delete []B; at the very end?

Yes. By calling, new with books* b = new books[num]; you are adding data to the heap, which must explicitly released. Otherwise, the memory can be leaked. I would suggest looking up the new keyword. Some resources below to get your started:

https://en.cppreference.com/w/cpp/language/new

https://www.geeksforgeeks.org/new-and-delete-operators-in-cpp-for-dynamic-memory/

Reasons:
  • Blacklisted phrase (1.5): any solution
  • Whitelisted phrase (-1): in your case
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: jwenzel

79392992

Date: 2025-01-28 07:13:02
Score: 1
Natty:
Report link

You can try using py7zr, which supports 7zip archive compression, decompression, encryption, decryption.

Here is a simple example to make 7-zip archive. https://py7zr.readthedocs.io/en/stable/user_guide.html#make-archive

import py7zr
with py7zr.SevenZipFile("Archive.7z", 'w') as archive:
    archive.writeall("target/")
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Karthik Senniyappan

79392989

Date: 2025-01-28 07:12:01
Score: 4.5
Natty:
Report link

remove style="vertical-align: baseline"

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

79392988

Date: 2025-01-28 07:11:00
Score: 3.5
Natty:
Report link

In My wordpress LMS website I am using Tutor plugin when I complete the course and quiz also completed the results are showing in percentage I want to show band instead of percentage

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

79392979

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

connected with system settings (symbpol for decimals) in english W10 : 1.1 in russain W10 : 1,1 KPI "targetExpression": "1.1", "targetExpression": "1,1", So change for russain open model OK Can be also for other Windows (German)

ps in other calculations '.' is used everywhwere

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

79392976

Date: 2025-01-28 07:05:59
Score: 1
Natty:
Report link

I had a similiar issue while mounting a folder which has been mounted via rclone, just make to add --allow-other to the rclone command e.g. rclone mount --daemon your_remote:folder/ your_local_folder

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

79392968

Date: 2025-01-28 07:01:59
Score: 3.5
Natty:
Report link

Like the solution of Rafael Zancanro Cardoso use the abc button to activate and deactivate the Spell Checking.

enter image description here

enter image description here

enter image description here

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Fevzi Kartal

79392967

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

Documentation Link: https://postgis.net/documentation/tips/st-dwithin/

Related Issue: https://gis.stackexchange.com/a/79963/290604

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

79392965

Date: 2025-01-28 07:00:58
Score: 1.5
Natty:
Report link

Torch generally seems to create directories with prefix torch_shm_ under /dev or /dev/shm. I work on a gcp compute environment so restarting the environment generally takes care of the temp files, maybe restarting your local machine could offer a solution.

Word of caution rm -rf torch* while use /dev doesn't really work and is dangerous if one accidentally puts a space between torch and *.

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

79392960

Date: 2025-01-28 06:58:58
Score: 1.5
Natty:
Report link

Using the Harness API provided by the Angular Material, you can interact with angular Material components the same way user would. It provides high-level API (methods if you will), to interact with components without worrying about internal DOM structure. By using it, your test is protected against updates to the internals of the component and you avoid depending on internal DOM structure directly. I hope this migh help. See:

Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Patrick André

79392953

Date: 2025-01-28 06:57:58
Score: 3.5
Natty:
Report link

Thank you for this answer, it answered my own problem getting the integer for my random combination code. This is my first time here.

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

79392951

Date: 2025-01-28 06:56:57
Score: 0.5
Natty:
Report link

You need to create a blank box and connect the scroller via javascript. Please find the code. Regards, Souvik.

const main =  document.getElementById('main');
        const scroller = document.getElementById('scroll');

        scroller.addEventListener('scroll', () => {
            main.scrollLeft = scroller.scrollTop;
        });
.container {
    display: flex;
    flex-direction: row;
}

.box{
    width: 400px;
    height: 600px;
    overflow-x: scroll;
    text-wrap: nowrap;
}

.box::-webkit-scrollbar{
    display: none;
}

.box-2{
    display: block;
    width: 50px;
    height: 600px;
    overflow-y: scroll;
}

.box-2 .content {
    height: 830px;
}
<div class="container">
        <div class="box" id="main">
            <div class="content">
                <p style="color: green;">Sample Text. Sample Text. Sample Text. Sample Text. Sample Text. Sample Text.
                    Sample Text.</p>
                <p style="color: rgb(128, 55, 0);">Sample Text</p>
                <p style="color: rgb(25, 5, 78);">Sample Text</p>
                <p style="color: rgb(128, 0, 102);">Sample Text</p>
                <p style="color: green;">Sample Text. Sample Text. Sample Text. Sample Text. Sample Text. Sample Text.
                    Sample Text.</p>
                <p style="color: rgb(128, 55, 0);">Sample Text</p>
                <p style="color: rgb(25, 5, 78);">Sample Text</p>
                <p style="color: rgb(128, 0, 102);">Sample Text</p>
            </div>
        </div>

        <div class="box-2" id="scroll">
            <div class="content"></div>
        </div>
    </div>

Reasons:
  • Blacklisted phrase (1): Regards
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Souvik Mukherjee

79392950

Date: 2025-01-28 06:56:57
Score: 2
Natty:
Report link

use export default function* function-name, this may help you .

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

79392946

Date: 2025-01-28 06:55:57
Score: 3
Natty:
Report link

Found it under /usr/local/Cellar/jmeter/5.6.3/libexec/bin/jmeter.properties

Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Jyothis Benny

79392938

Date: 2025-01-28 06:53:57
Score: 3
Natty:
Report link

It turned out that my organization's package setup was causing a lot of the problems. Specifically, some subpackages were tightly coupled with others, and during the build process, peerDependencies (like next) were being installed unexpectedly, leading to issues.

What helped me was switching to "workspace:*" in the package.json of my subpackages. This made dependency resolution local to the workspace and significantly improved things. For example:

"dependencies": {
  "some-subpackage": "workspace:*"
}

This approach reduces coupling and ensures the local packages are used during builds. However, I'm still facing some ERR_MODULE_NOT_FOUND issues, which seem to be related to module resolution or mixed module types (CommonJS vs ESM). It's not the full solution, but switching to "workspace:*" might help others facing similar problems!"

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): facing similar problem
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Zaraki

79392931

Date: 2025-01-28 06:51:56
Score: 3
Natty:
Report link

yes saucelabs support full support to playwright. here is the detail documentation from saucelabs

https://docs.saucelabs.com/web-apps/automated-testing/playwright/

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

79392928

Date: 2025-01-28 06:49:56
Score: 0.5
Natty:
Report link

Native XDP programs are invoked very early (in the driver layer before SKB is allocated). XDP is driver-dependent, i.e., the driver must support it. There is also generic XDP hook that is driver-independent and is called after SKB is created, but before GRO.

GRO is a packet processing optimization in the kernel network stack that tries to combine multiple SKBs into one before passing it up the network stack protocol layers. GRO is a generic (driver-agnostic) feature and runs after SKB is created.

For bare-metal networks, XDP will always run before GRO. However, XDP programs can also be attached to virtual network devices (eg. bridge, veth). In such cases, the XDP program on the virtual device is invoked when the packet arrives at that device, which happens after it has gone through the GRO processing in the physical ingress interface context.

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

79392927

Date: 2025-01-28 06:48:56
Score: 3.5
Natty:
Report link

number = [1,2,3,4,5]

x = PrettyTable()

x.add_column("number", number)

print(x)

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

79392922

Date: 2025-01-28 06:46:55
Score: 3
Natty:
Report link

The solution is to simply purge the lang cache via admin control panel.

https://docs.moodle.org/28/en/Purge_all_cache

Reasons:
  • Whitelisted phrase (-1): solution is
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Egor

79392920

Date: 2025-01-28 06:46:55
Score: 1.5
Natty:
Report link

In "telegraf": "4.16.3"

await ctx.reply(message, { reply_parameters: { message_id: ctx.message.message_id } });
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Igor

79392915

Date: 2025-01-28 06:39:54
Score: 0.5
Natty:
Report link

As already answered file or other utilities cannot work. A solution could be to use metadata during the upload, so that it can be read with head-object without having to download the entire object first. Read docs here

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

79392910

Date: 2025-01-28 06:37:54
Score: 3
Natty:
Report link

If you have your own button then you can completely remove the edit button or disabled it by using DisplayMode property. You can also update edit permission for your list.

enter image description here

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

79392890

Date: 2025-01-28 06:23:51
Score: 3.5
Natty:
Report link

Open Firewall in your system off the public network and it we work

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

79392887

Date: 2025-01-28 06:21:51
Score: 3.5
Natty:
Report link

To solve it;

  1. as @Tilman Hausherr mentioned, one should add required dependencies

https://pdfbox.apache.org/3.0/dependencies.html

  1. as @Tilman Hausherr mentioned, one should add the provider as below

Security.addProvider(new BouncyCastleProvider());

  1. as @mkl mentioned, one should change the signatureAlgorithm on

https://github.com/apache/pdfbox/blob/3.0/examples/src/main/java/org/apache/pdfbox/examples/signature/CreateSignatureBase.java

ContentSigner sha1Signer = new JcaContentSignerBuilder(XXX).build(privateKey);

where (in my case) for domain certificates, XXX= "SHA256WithECDSA"

PS, one can find the working project at https://github.com/tugalsan/com.tugalsan.blg.pdf.pdfbox3.sign/tree/main

Reasons:
  • Probably link only (1):
  • No code block (0.5):
  • User mentioned (1): @Tilman
  • User mentioned (0): @Tilman
  • User mentioned (0): @mkl
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Tugalsan Karabacak

79392886

Date: 2025-01-28 06:21:50
Score: 3.5
Natty:
Report link

Old story same issues with the KBO soap framework.Keep getting the same message as you guys " [ns1:SecurityError] A security error was encountered when verifying the message " , tried all the workarounds provided here. The funny thing is that in SoapUI it works!!!! Comparing the 2 request XML messages (SOAPUI vs PHP code) the only things that differs fundamentally is the length of the digested password & NONCE (longer with the PHP generated XML). So it may be that we are talking a bout a wrong encoding of the pass digest and NONCE on the PHP side? Have you got any kind of success in accessing the KBO WS in the end? Thanks

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Szatmari Daniel

79392878

Date: 2025-01-28 06:16:50
Score: 2
Natty:
Report link

def reporter(f,x):
try: if f(x) is None: return 'no problem' else: return 'generic' except ValueError: return 'Value' except E2OddException: return 'E2Odd' except E2Exception: return 'E2'

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

79392873

Date: 2025-01-28 06:13:48
Score: 5.5
Natty: 4.5
Report link

Has anyone resolved this issue? It is also happening to my springboot upgrade.

Reasons:
  • RegEx Blacklisted phrase (1.5): resolved this issue?
  • Low length (1.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Michael Manangan

79392864

Date: 2025-01-28 06:08:47
Score: 0.5
Natty:
Report link
syndaemon -i 1 -K -d

This command will disable the touchpad while typing, with a 1-second delay after typing stops, ensuring a smoother experience.

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

79392857

Date: 2025-01-28 06:05:46
Score: 0.5
Natty:
Report link

upgarde the apscheduler pytz tzlocal it worked for me

pip install --upgrade apscheduler pytz tzlocal

Reasons:
  • Whitelisted phrase (-1): it worked
  • Whitelisted phrase (-1): worked for me
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: shamu P

79392855

Date: 2025-01-28 06:02:45
Score: 8.5 🚩
Natty: 4.5
Report link

Estamos interesados en Analyticalpost.

Estamos interesados en hablar con vosotros para que Analyticalpost pueda aparecer en prensa y logre una mejor posición en internet. Se crearán noticias reales dentro de los periódicos más destacados, que no se marcan como publicidad y que no se borran.

Estas noticias se publicarán en más de cuarenta periódicos de gran autoridad para mejorar el posicionamiento de tu web y la reputación.

¿Podrías facilitarme un teléfono para aplicarte un mes gratuito?

Muchas gracias.

Reasons:
  • Blacklisted phrase (1): ¿
  • Blacklisted phrase (2): gracias
  • Blacklisted phrase (2): crear
  • Long answer (-0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Blanca

79392850

Date: 2025-01-28 06:00:44
Score: 3
Natty:
Report link

Or u can just use temp data peak that way you will still have temp data after use or use temp data keep to store it

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

79392849

Date: 2025-01-28 06:00:44
Score: 2.5
Natty:
Report link

By default intellij doesn't provide a command line launcher but You can find the executable for running IntelliJ IDEA in the installation directory under bin. To use this executable as the command-line launcher, add it to your system PATH as described in Command-line interface

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

79392848

Date: 2025-01-28 05:58:43
Score: 5.5
Natty: 4.5
Report link

And what about if I want to stop the saving? I mean, If I want to check something in the product that is going to be saved ... and, if it is the case, stop the saving?

Thank you

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • RegEx Blacklisted phrase (1): I want
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: user1142705

79392842

Date: 2025-01-28 05:53:41
Score: 5
Natty:
Report link

if someone still needs answer for that, here is folk generously written the best answer. https://stackoverflow.com/a/9945668/21312218

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

79392833

Date: 2025-01-28 05:47:40
Score: 2
Natty:
Report link

It will be very challenging if you want to massive Yelp Reviews data. Using providers is easier; even with limited coding skills, you can scrape all Yelp Reviews data. I just wrote a blog post, with a few lines of codes: https://serpapi.com/blog/how-to-scrape-yelp-place-results-2/

Disclaimer: I work at SerpApi and maintain this scraper.

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

79392823

Date: 2025-01-28 05:40:38
Score: 2
Natty:
Report link

It seems like you are using binary search where you traverse array from start to the end. In binary search the best , worst and average time complexities are: Best : O(1) , you get your element in the first indext Average and worst : O(logn) , The target element is at the first or last index of the array.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Ammar Ahmed Ansari

79392820

Date: 2025-01-28 05:34:37
Score: 2
Natty:
Report link
Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Harsh Panchal

79392815

Date: 2025-01-28 05:31:37
Score: 2
Natty:
Report link

I had the save issue, and it was just:

in main.go
import github.com/swaggo/swag/example/basic/docs

change to: import myproject/docs

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Данияр

79392807

Date: 2025-01-28 05:26:36
Score: 0.5
Natty:
Report link

Application Load Balancers work only with HTTP(s) protocol. So you cannot use them for arbitrary custom servers. For your case you should use NLB (Network Load Balancers) that can forward arbitrary TCP connections.

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

79392804

Date: 2025-01-28 05:21:33
Score: 10 🚩
Natty: 6.5
Report link

Any Solution? I facing same problem in odoo17

Reasons:
  • Blacklisted phrase (1.5): Any Solution
  • RegEx Blacklisted phrase (2): Any Solution?
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): I facing same problem
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: catch all

79392800

Date: 2025-01-28 05:19:32
Score: 3.5
Natty:
Report link

I had the similar problem. I used below steps to fix the problem. Hope this will fix your problem.

  1. npm install --save-dev ajv@^8
  2. npm audit fix --force
  3. npm start

enter image description here

enter image description here

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

79392798

Date: 2025-01-28 05:17:32
Score: 1.5
Natty:
Report link

I just ran into this same issue. If you continue through the application process, there will be a point where you have to add a screencast for every permission that you are requesting access for. At this point, you will be able to remove the instagram_business_manage_messages permission.

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

79392795

Date: 2025-01-28 05:16:32
Score: 1
Natty:
Report link

pympler can find the approximate memory usage of a NetworkX graph in bytes.

import networkx as nx
from pympler import asizeof

G = nx.Graph()
graph_memory = asizeof.asizeof(G)
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Starts with a question (0.5): can find the
Posted by: Andrew Tapia

79392793

Date: 2025-01-28 05:12:31
Score: 4.5
Natty:
Report link

Check out this link: https://md.ulixlab.com/. It offers a comprehensive understanding of any medical images.

Reasons:
  • Blacklisted phrase (1): this link
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: luke-king

79392791

Date: 2025-01-28 05:11:30
Score: 0.5
Natty:
Report link

Update your NovaServiceProvider.php:

protected function gate()
{
    Gate::define('viewNova', function ($user = null) {
        return true;
    });
}

Also, check the following:

1. Clear cache: php artisan cache:clear

2. Clear config: php artisan config:clear

3. Check permissions on the storage directory
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Developer Nilesh

79392790

Date: 2025-01-28 05:10:30
Score: 2.5
Natty:
Report link

Faced the same issue on MacBook Pro, m1 silicon. I was able to get the Anaconda navigator work after reinstallation.

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

79392787

Date: 2025-01-28 05:10:29
Score: 5.5
Natty: 6
Report link

Why can I no longer use 1<<33....longer than int32 even using an uint64. Using uint64, 1<33 yields 2. Bitarray??? Can't set multiple values in one instruction like...x=1<<23 or 1<<35.... You need multiple statements. The old way is better, but doesn't work anymore... Progress??¿

Reasons:
  • Blacklisted phrase (1): ???
  • Blacklisted phrase (1): ¿
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Unregistered user (0.5):
  • Starts with a question (0.5): Why can I
  • Low reputation (1):
Posted by: user27817563

79392784

Date: 2025-01-28 05:05:28
Score: 1
Natty:
Report link

I had a similar issue, worked after I put

import gc

and

plt.close('all') gc.collect()

before closing the loop.

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

79392776

Date: 2025-01-28 04:58:27
Score: 1.5
Natty:
Report link

Chgvfhg eng g GA to k NC hjk if Yu it ty in NC bf to KB be in NC h ye ry y ry KN v BC y ur Yu KN b he to ur gj KN NB fggt NC cf gj ur ry u NC h ur in vvf dh ur ry ur h he hu jv gj kg gj j he gj bvh jf ghj jf h ye RJ BC dv jjgy it yt to if t bn NC hj b BC h jf gj n NC Jil ln brt be returned ry UK he ry u jf gj jf jhh h jf ty r ry t ry uv ry u GA ry u jf t yr ibjkkg Yu if ry it to I kkj jf gj y to k GA ty ur yu yu yr u jf j it y ur t KB NC Hur it it t yr UC fgh u jf y ye ry ur fgh ty u to u bvv y the he ty ujj jf y ur tygy HD t

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Justin lee Gombio

79392768

Date: 2025-01-28 04:54:26
Score: 3
Natty:
Report link

wow everytime I think im gain ground I see something I never seen before again and feel like a rookie all over again.,.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Helo-im.Ai

79392766

Date: 2025-01-28 04:53:25
Score: 7.5 🚩
Natty: 6.5
Report link

did you get the solution? i also need this.

Reasons:
  • RegEx Blacklisted phrase (3): did you get the solution
  • Low length (1.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): did you
  • Low reputation (1):
Posted by: Shuvo Alamin

79392753

Date: 2025-01-28 04:42:21
Score: 8 🚩
Natty:
Report link

Thanks for the great post! I have been exploring ways to update VCore using the database in PowerShell, but I am running into a few challenges. Could you share a detailed step-by-step approach or any best practices for executing this process efficiently? Any tips or resources would be greatly appreciated!

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (1): appreciated
  • Blacklisted phrase (1): Any tips
  • RegEx Blacklisted phrase (2.5): Could you share
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Koala geddon

79392749

Date: 2025-01-28 04:41:18
Score: 6 🚩
Natty:
Report link

I have the same issue when I toggle obscureText the autofill disapear and come back. Its very annoying. For me the problem seems to be ios 18 I tried wth real device and emulators on ios 18 and the problem persist. It does'nt bug on ios previous 18. Based on my research there a lot of bug related to the keyboard on ios 18. I haven't found a solution yet. You can probably make your own obscure text fonction and keep the textformfield parameter to false.This is not the exact problem but its seem similar https://github.com/flutter/flutter/issues/162173

Reasons:
  • Blacklisted phrase (1): I have the same issue
  • RegEx Blacklisted phrase (1): haven't found a solution
  • Long answer (-0.5):
  • No code block (0.5):
  • Me too answer (2.5): I have the same issue
  • Single line (0.5):
  • Low reputation (1):
Posted by: user24684961

79392744

Date: 2025-01-28 04:35:17
Score: 3
Natty:
Report link

I'm wondering how long it took for your to run gdf.compute(). I'm having this problem as dask operation are quite fast but I think it postpone the operation till we call compute.

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

79392738

Date: 2025-01-28 04:29:16
Score: 1
Natty:
Report link

I understood my mistake. In my case, Langchain, langchain-core and langchain-community versions were incompatible. pip install langchain showed that incompatibility as warnings while installing langchain. Installing the compatible versions accordingly solved the problem.

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

79392735

Date: 2025-01-28 04:27:15
Score: 1
Natty:
Report link

Sonarqube 10.x requires Java 17. You must update your scanner to be compatible with SonarQube 10.x. Use the latest version of Sonarscanner.

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

79392726

Date: 2025-01-28 04:19:14
Score: 2
Natty:
Report link

Adding the %option caseless directive to the flex file should scan in a case insensitive way (this is a Flex only option), pr discussion here.

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

79392711

Date: 2025-01-28 04:07:11
Score: 5
Natty:
Report link

Issue has been resolved by Clearing all Nuget Caches.

enter image description here

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

79392708

Date: 2025-01-28 04:05:10
Score: 0.5
Natty:
Report link

For macOS users, my issue was that the macOS Privacy settings had Cursor/Code turned off for access to Files and Folders in Settings > Privacy. Once I enabled it (gave Cursor access to it), the "git missing" problem was resolved.

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

79392701

Date: 2025-01-28 03:53:08
Score: 2
Natty:
Report link

If you want to do this for a VM, you should install python and the corresponding modules to the VM (so you may have to install python each time you use the VM software, depending on the approach) and executing the script from the VM environment. The end result should be that the window used for the VM environment should act as the display, and it should be able to read it the same way as if you used it on your primary OS.

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

79392681

Date: 2025-01-28 03:33:04
Score: 1.5
Natty:
Report link

Before this api you had to start Live Activity from the device itself. With this api you can use the token it provides to start a Live Activity from your server.

You can refer to this doc for more info:

https://developer.apple.com/documentation/activitykit/starting-and-updating-live-activities-with-activitykit-push-notifications

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

79392680

Date: 2025-01-28 03:32:04
Score: 2
Natty:
Report link

Have you added a declaration for SVG file?
If not, please try this: https://stackoverflow.com/a/45887328/22647897
Also, if you could create a sandbox for this it would be a lot easier to work on.

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Whitelisted phrase (-2): try this:
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Anand Kamble

79392673

Date: 2025-01-28 03:25:01
Score: 3.5
Natty:
Report link

Check it, please! maybe you forget the semicolon ";" before the error.

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: سعد جاويش

79392655

Date: 2025-01-28 03:07:58
Score: 2
Natty:
Report link

Even if you're not using OAuth for authentication, if your connector has a scope then users will see an authorisation request before the config when they first go to add the data source. When they click authorise they'll be taken to the Google SSO screen.

looker connector config auth page

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

79392649

Date: 2025-01-28 03:04:57
Score: 3
Natty:
Report link

I got it to work by using min-width while changing the display for the class from table to grid. I don't know why specifying a min-width will shrink it more than specifying a width though.

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

79392641

Date: 2025-01-28 02:52:56
Score: 1
Natty:
Report link

Here is a related issue on GitHub, ILLINK errors when compiling MAUI apps on Mac - says targeting version that I'm not.

@jaysidri share a workaround pinning the workload version did the trick and you may have a try.

However we still recommend use the latest Visual Studio2022 (Visual Studio for Mac retire) and .NET SDK and upgrade XCode as the error message said.

For more info, you may also refer to .NET SDK workload sets.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • User mentioned (1): @jaysidri
  • High reputation (-1):
Posted by: Liqun Shen-MSFT

79392622

Date: 2025-01-28 02:35:52
Score: 0.5
Natty:
Report link

Pass it as a top-level generic. That should be much easier than trying to edit the file:

set_property generic "USER_DATE=$date_part USER_TIME=$time_part" [current_fileset]

And declare them as generics instead of constants.

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

79392621

Date: 2025-01-28 02:34:52
Score: 3
Natty:
Report link

Just found out about SpacialEventGesture which seems to solve this now in iOS 18, SwiftUI docs: SpacialEventGesture I plan on making a usable example soon.

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

79392618

Date: 2025-01-28 02:29:51
Score: 1.5
Natty:
Report link

//example en javasacript

const zlib = require('zlib');
    const { createCanvas } = require('canvas'); // Para simular un entorno gráfico (Canvas)
    const { plot } = require('nodeplotlib');
    // Función para inflar los datos
    function inflate(data) {
        return zlib.inflateRawSync(data);
    }

// Cadena codificada en Base64
const codedString = `1dR/
TJR1HAfwR7gZ1Khj0hg5mjhFs0bEkkyK5/t
+bsYYNHDXGDpsmCwZ61xMkYyBJ5oSkBikYlCQEKJBnXnKjzjiDCUwKIiQoA6C
+GFQGBpKndUbPLfrVrZ+/OOze++53fP9Pp/
Pvb7P85WkmcNFmT1J2TzrBb8wCyBJxcxFXL8289t2jc6yJNjqcTDYvLInWGO4U/bV
+MsuXavlsfjN8khqphwdUiA3qyvkoJ46uaKkVfbWWeScwAl5Zn5NnItIbFaLZX5eYjDXRxR
cuU88FRMg3MwrxZnFGpGWGSYemdCKCW2MKK+OE+u9dcIrPUl0DKfy
+k6xMHoPx2SJnrocjssTeT75HFsowncXc3ypUI2Vc06lMEUc57yTYquxhnNNws/
rtMgMOytGUluExtAmigY6hNXjvIgO6RXGbX3CvWJQ6Cwjolk9Lnw1F0V60mVhOXJVBPV
YeW8JLxY5obxaha72uVCNuSBAdQfWe7shJ/AumCLcMRY/
D17pdyOkwBNbjV4obZ2PjmFvzBhemrcQQ0sWoTvIF+cilqJ+wzIYkh9ASZYfDhT5I
+NEAFKaHsam3kDETqyA1jkIT3g
+jkfvl8EP7tVq4L5xFZxTQjC1NxQXDoeh99STaGuJgNmyGsZJLcrmRuHQPdHI9luLNCU
GiVFPIy4hFlFpzyA0Nw6PlT2LB2vj4dOWAI+B53Db1CZMuyZi3Hsz
+h5KQvuqZDSu2YYqXQqO7UhF4f7taOrU8/47UDuazho7UWndxTq7Uazew1oZyF30Mutl
4qUVWayZjRfCX2HdvUiIzWHtfVi35VXWz0VkRh57eA1K4X72cQDLDQfZSz6WNh5iP69jfn
cBeyqE2/gb7OvN2Wdu2vUtuh1mfyW0K2WPb9OvjH0eoWE5ez1Kx2Ps9x1aVrDnSnq
+y77fo6kBOUeP0/
V9pJtO0NaILe0n6XsKG4eqaFyNtdM1dP4A4W51tDZB9qmn94cIWN5AczMWh56m
+0fwXNdI+zO4PfEs/
ZtwbdfHXINmTOS3cB3OYaDiE65FK75oaON6fEqzz2jWTrMOmn1Os06addHsPM26afYlz
Xpo1kuzr2j2Nc0sNOujWT/
NvqHZAM0GafYtzYZoNkyzEZqN0uwCzb6j2RjNxmn2Pc1+mH1Hp11/
pNkkzS7R7DLNfqLZFM2u0OwqzaZp9jPNfqGZlWbXaPYrzX7jdUlp6pSUxjVzFLNljlK/
wUmpHXVSqnTOinHSWTEkq5RKq8q2R/ybQy//MZJtjxG26G0pZhqYflsk/jc1ru9F/
rYIJpKJtcvztugdknGT7HPIzcbeiOP99Xa1b8S+r0i7CLv4O2SBQ9R2kRzSL/48DX+R4r
+J/h9E/M+R/kMcn6lbNbfG8Ts=`; // Tu cadena base64

// Decodificar los datos Base64
const decodedData = Buffer.from(codedString, 'base64');

// Inflar los datos
const inflatedDecodedData = inflate(decodedData);

// Convertir a un array de tipo Float32
const inflatedDecodedDataAsFloat = new Float32Array(inflatedDecodedData.buffer);

// Normalizar los datos
const normalizedData = Array.from(inflatedDecodedDataAsFloat).map(value => {
    if (!isFinite(value) || isNaN(value)) {
        return 0; // Sustituir valores no válidos
    }
    return value;
});

// Encontrar el valor mínimo y máximo
const min = Math.min(...normalizedData);
const max = Math.max(...normalizedData);

// Escalar los datos para ajustarlos a un rango adecuado
const scaledData = normalizedData.map(value => (value - min) / (max - min));
plot([{ x: [...Array(scaledData.length).keys()], y: scaledData }]);
Reasons:
  • RegEx Blacklisted phrase (2): Encontrar
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Otoniel Villarreal

79392611

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

Beacause the '\t' is in qoutes you do not need to escape the backslash....

select replace('\tTest','\t','') from dual;

Returns Test as you require

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

79392606

Date: 2025-01-28 02:11:48
Score: 0.5
Natty:
Report link

The HTML5 <details> element semantically means "more content here". With its show-hide function, reflected attribute, and coordinating name attribute, it's almost a perfect fit for implementing tabs without JavaScript. Almost.

perfect semantics, poor layout

<div class='tabs'>

    <details class='tab' name='these_tabs' open>
        <summary class='tab-title'>Tab One</summary>
        <p>Lorem...</p>
        <p>Ipsum...</p>
    </details>

    <details class='tab' name='these_tabs'>
        <summary class='tab-title'>Tab One</summary>
        <p>Lorem...</p>
        <p>Ipsum...</p>
    </details>

</div>

This is semantic. Unfortunately, even with subgrid now widely adopted, this limits the tab and its content to using the same width. Either the sibling tabs are pushed off to the side so the active tab's content has enough room, or the active tab's content is crammed into as narrow a space as possible.

So could the content be moved outside the details element?

partly semantic, good layout

<div class='tabs'>

    <details class='tab' name='these_tabs' open>
        <summary class='title'>Tab one</summary>
    </details>
    <div class='content'>
        <p>Lorem...</p>
        <p>Ipsum...</p>
    </div>

    <details class='tab' name='these_tabs' open>
        <summary class='title'>Tab one</summary>
    </details>
    <div class='content'>
        <p>Lorem...</p>
        <p>Ipsum...</p>
    </div>

</div>
.tabs {
    display: grid;
    grid-auto-flow: column;
    grid-template-rows: auto auto;
}
.tab {
    grid-row: 1;
    max-width: max-content;
}
.tab-content {
    grid-column: 1 / 99; /* [1] */
    grid-row: 2;
}
.tab[open] .tab-title {
    pointer-events: none; /* [2] */
}
.tab:not([open]) + .tab-content { /* [3] */
    display: none;
}

This is less semantic, because the content to-be-revealed is not actually inside the <details> element, so a screen reader would have to infer its connection from proximity and visibility. On the other hand, it does use the appropriate element for interaction. It also achieves flexible horizontal layout of the tabs where the active tab can be selected and styled. And finally, the content is not removed from the flow, so it consumes as much space as it needs, and no more.

CSS notes

The tab-switching trick is much the same as the canonical input:checked + * method. The essential layout trick with grid is to force all the tabs onto the top row, then assign the bar's remaining width to an empty column for the content to span across.

[1] Unfortunately, while styling this with grid-column: 1 / -1 ("span the first grid-line to the last grid-line") should theoretically work, it does not. Implicitly-created columns are not included in the calculation, so it only spans the explicitly created columns (a grand total of 1, in this case). Spanning 1 more grid-column than you have tabs is the minimum to make this work.

[2] Disabling pointer-events on the <summary> element of the open <dialog> forces a user to keep one tab open at all times.

[3] By using the :not() selector, the tab CSS leaves me free to set whatever display property I want on the tab content.

Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: David

79392591

Date: 2025-01-28 01:52:44
Score: 1
Natty:
Report link

finally got it to work, just leaving out the languagefield is not enough, since TYPO3 7.4 you need to explicitly set it to 0

https://docs.typo3.org/c/typo3/cms-core/main/en-us/Changelog/7.4/Feature-68191-TypoScriptSelectOptionLanguageFieldIsActiveByDefault.html

so this is the code that grabs the correct categories from the base language

table = sys_category
        select {
            # set correct id for sys folder
            pidInList = 652
            selectFields = title, uid
            join = sys_category_record_mm ON sys_category_record_mm.uid_local = sys_category.uid
            where.data = field:recordUid
            where.intval = 1
            where.wrap = uid_foreign=|
            languageField = 0
        }
Reasons:
  • Probably link only (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Ja Nosch

79392576

Date: 2025-01-28 01:43:42
Score: 1
Natty:
Report link

I don't know how this works, may be due to account or location, but when I was back in my home country I was able to upload the app to store. For some work I travelled overseas which changes my GEO Location, and after this change I was not able to push the app to AppStore.

So I connected with my team member back in my home country and asked him to checkout code and some needful settings and uploaded the app. It got uploaded to app store without any issue. From overseas location I am just able to upload the app to testing pipeline environment.

Don't know why its related to location, but somehow it solved my issue.

Thanks.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-0.5):
  • No code block (0.5):
  • Self-answer (0.5):
Posted by: Sagar

79392567

Date: 2025-01-28 01:29:39
Score: 3
Natty:
Report link

Simpler:

$Array | Tee-Object -Append c:\temp\Version.txt

See https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.utility/tee-object

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

79392556

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

Eureka!

2 issues to note here for newbies such as myself:

  1. always double check during aggregation and groupby methods that you still have a geopandas dataframe instead of a pandas dataframe
  2. geopandas cannot accept datetime objects.

Adding this to the top fixed it:

agg_gdf = gpd.GeoDataFrame(agg_gdf, geometry='geometry')
agg_gdf.crs = "EPSG:4326"
agg_gdf.date = agg_gdf.date.astype(str)

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

79392554

Date: 2025-01-28 01:18:37
Score: 1
Natty:
Report link

short answer use the JSON_ON_NULL_CLAUSE

See the documentation at

https://docs.oracle.com/en/database/oracle/oracle-database/12.2/sqlrf/JSON_OBJECT.html

SELECT JSON_OBJECT('test' VALUE null ABSENT ON NULL) from dual ;

Will give you {}

The other option is NULL ON NULL which is the default and will give you

{"test":null}

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

79392544

Date: 2025-01-28 01:07:34
Score: 5.5
Natty: 5
Report link

A mi me paso en el editor vscode la solucion, ejecutar vscode como administrador. xD

Reasons:
  • Blacklisted phrase (2.5): solucion
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Jehu Gonzalez