79773078

Date: 2025-09-23 21:15:06
Score: 2
Natty:
Report link

Delete everything inside C:\Users\helci.gradle\caches\ directory.

After that invalidate cashes and Restart Android Studio

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

79773064

Date: 2025-09-23 20:55:01
Score: 9.5
Natty: 7
Report link

@Anders_K @mcaniot Seems like I can't reply to your posts due to thread age. Do either of you know where I can find the documentation for this issue? I have followed both your instructions and got an image to temporarily load yesterday, but now Pepper is back to only displaying a black screen. Any help is greatly appreciated.

Reasons:
  • Blacklisted phrase (1): appreciated
  • Blacklisted phrase (1): Any help
  • RegEx Blacklisted phrase (3): Any help is greatly appreciated
  • No code block (0.5):
  • Contains question mark (0.5):
  • User mentioned (1): @Anders_K
  • User mentioned (0): @mcaniot
  • Single line (0.5):
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: LikeWater

79773060

Date: 2025-09-23 20:47:59
Score: 1.5
Natty:
Report link

You can override unwanted flags in setup.py by modifying extra_compile_args or using a custom build class. Did something similar while tweaking a 3 patti project’s build and it worked fine.

Reasons:
  • Whitelisted phrase (-1): it worked
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Loferialopez

79773059

Date: 2025-09-23 20:46:58
Score: 3
Natty:
Report link
<!DOCTYPE html>
<html lang="en">
<head>
    <title>Medical Research PDF Search</title>
    <meta name="viewport" content="width=device-width, initial-scale=1">
    <!-- Bulma CSS Framework -->
    <link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/[email protected]/css/bulma.min.css">
    <style>
        body { padding: 40px; }
        .match { background-color: #ffdd57; font-weight: bold; padding: 2px 4px; border-radius: 4px; }
        .box { padding: 20px; margin-bottom: 20px; }
        .title { color: #363636; }
        .notification { margin-top: 20px; }
        .hero { margin-bottom: 40px; }
        .search-results-section { margin-top: 40px; }
        .search-input-container { margin-bottom: 20px; }
        .document-card { margin-top: 20px; border-radius: 8px; }
    </style>
</head>
<body>
    <section class="hero is-primary">
        <div class="hero-body">
            <p class="title">
                Medical Research PDF Search
            </p>
            <p class="subtitle">
                Upload and search medical documents in real-time
            </p>
        </div>
    </section>

    <div class="container">
        <!-- Upload Section -->
        <div class="box">
            <h2 class="title is-4">Upload PDF Document</h2>
            <div class="field is-grouped">
                <div class="control is-expanded">
                    <div class="file has-name is-fullwidth">
                        <label class="file-label">
                            <input class="file-input" type="file" id="pdfFile">
                            <span class="file-cta">
                                <span class="file-icon"><i class="fas fa-upload"></i></span>
                                <span class="file-label">Choose a PDF…</span>
                            </span>
                            <span class="file-name" id="fileName">No file selected</span>
                        </label>
                    </div>
                </div>
                <div class="control">
                    <button class="button is-primary" onclick="uploadPdf()">Upload</button>
                </div>
            </div>
            <p id="uploadStatus" class="help"></p>
        </div>

        <!-- Search Section -->
        <div class="box">
            <h2 class="title is-4">Search Documents</h2>
            <div class="field has-addons">
                <div class="control is-expanded">
                    <input class="input" type="text" id="searchKeyword" placeholder="e.g., clinical trial, novel virus">
                </div>
                <div class="control">
                    <button class="button is-info" onclick="searchPdfs()">Search</button>
                </div>
            </div>
        </div>

        <!-- Search Results Section -->
        <div class="search-results-section">
            <div id="results" class="results-container"></div>
        </div>
    </div>

    <script>
        const fileInput = document.getElementById('pdfFile');
        const fileNameSpan = document.getElementById('fileName');

        fileInput.addEventListener('change', () => {
            if (fileInput.files.length > 0) {
                fileNameSpan.textContent = fileInput.files[0].name;
            } else {
                fileNameSpan.textContent = 'No file selected';
            }
        });

        // Function to upload a PDF
        async function uploadPdf() {
            const file = fileInput.files[0];
            const statusDiv = document.getElementById('uploadStatus');
            if (!file) {
                statusDiv.className = 'help is-danger';
                statusDiv.innerText = 'No file selected.';
                return;
            }

            statusDiv.innerText = 'Uploading...';

            const formData = new FormData();
            formData.append('pdf', file);

            try {
                const response = await fetch('/upload', {
                    method: 'POST',
                    body: formData
                });
                const result = await response.text();
                statusDiv.className = 'help is-success';
                statusDiv.innerText = result;
            } catch (error) {
                statusDiv.className = 'help is-danger';
                statusDiv.innerText = 'Error uploading file.';
                console.error(error);
            }
        }

        // Function to search PDFs
        async function searchPdfs() {
            const keyword = document.getElementById('searchKeyword').value;
            const resultsDiv = document.getElementById('results');
            resultsDiv.innerHTML = '';
            if (!keyword) {
                resultsDiv.innerHTML = '<div class="notification is-danger">Please enter a keyword.</div>';
                return;
            }

            try {
                const response = await fetch(`/search?keyword=${encodeURIComponent(keyword)}`);
                const pdfs = await response.json();

                if (pdfs.length === 0) {
                    resultsDiv.innerHTML = '<div class="notification is-warning">No matches found.</div>';
                } else {
                    pdfs.forEach(pdf => {
                        const pdfCard = document.createElement('div');
                        pdfCard.className = 'box document-card';
                        
                        const pdfTitle = document.createElement('h4');
                        pdfTitle.className = 'title is-5';
                        pdfTitle.textContent = pdf.filename;
                        pdfCard.appendChild(pdfTitle);
                        
                        const escapedKeyword = keyword.replace(/[.*+?^${}()|[\]\\]/g, '\\$&');
                        const regex = new RegExp(escapedKeyword, 'gi');
                        
                        const highlightedText = pdf.text.replace(regex, `<span class="match">${keyword}</span>`);
                        
                        const preview = highlightedText.length > 800 ? highlightedText.substring(0, 800) + '...' : highlightedText;
                        
                        const textContent = document.createElement('p');
                        textContent.className = 'is-size-7 has-text-grey-dark';
                        textContent.innerHTML = preview;
                        pdfCard.appendChild(textContent);
                        
                        resultsDiv.appendChild(pdfCard);
                    });
                }
            } catch (error) {
                resultsDiv.innerHTML = '<div class="notification is-danger">Error performing search.</div>';
                console.error(error);
            }
        }
    </script>
</body>
</html>
const PDFDocument = require('pdfkit');
const fs = require('fs');

function createSamplePdf() {
  // Create a new PDF document instance
  const doc = new PDFDocument();

  // Pipe the PDF document to a write stream to save it to disk
  doc.pipe(fs.createWriteStream('sample.pdf'));

  // Add a title to the document
  doc.fontSize(20).text('Medical Research Sample Document', {
    align: 'center'
  });

  // Add a subtitle
  doc.fontSize(14).text('\nPatient Case Study: Keyword Search Test', {
    align: 'center'
  });

  // Add the main body of text with keywords
  doc.moveDown();
  doc.fontSize(12).text(
    'This document is a sample case study for a research application. The patient, diagnosed with a **novel virus**, ' +
    'exhibited a range of symptoms, including fever, persistent cough, and elevated inflammation markers. ' +
    'The patient was enrolled in a clinical trial testing a new **treatment protocol**. ' +
    'Following treatment, the patient’s inflammation levels returned to normal. The keyword **clinical trial** ' +
    'is relevant to this case. Further research will focus on the **novel virus** and its variants.',
    {
      align: 'left',
      indent: 20,
      paragraphGap: 10
    }
  );

  // Add a list of keywords for easy reference
  doc.moveDown();
  doc.fontSize(10).text('Keywords for Search:', { underline: true });
  doc.fontSize(10).list(['novel virus', 'inflammation', 'clinical trial', 'treatment protocol', 'variants']);

  // Finalize the PDF and end the stream
  doc.end();

  console.log('sample.pdf has been created.');
}

// Execute the function
createSamplePdf();
const PDFDocument = require('pdfkit');
const fs = require('fs');
const { faker } = require('@faker-js/faker');

function generateRealTimeMedicalPdf() {
  const doc = new PDFDocument();
  const fileName = 'real_time_clinical_data.pdf';
  doc.pipe(fs.createWriteStream(fileName));

  // Medical Research Title
  doc.fontSize(20).text('Real-Time Clinical Trial Data', { align: 'center' });
  doc.moveDown();

  // Project details
  doc.fontSize(12).text(`Project: Novel Respiratory Drug Trial`, { underline: true });
  doc.text(`Trial ID: ${faker.string.alphanumeric(8).toUpperCase()}`);
  doc.text(`Monitoring Date: ${new Date().toLocaleString()}`);
  doc.moveDown();

  // Simulate a real-time stream of patient monitoring data
  doc.fontSize(10);
  for (let i = 0; i < 50; i++) {
    const patientID = `PT-${faker.string.numeric(5)}`;
    const eventType = faker.helpers.arrayElement([
      'Vital Sign Update',
      'Adverse Event Reported',
      'Medication Dispensed',
      'Patient Interview',
    ]);
    const eventTime = faker.date.recent({ days: 1 });
    const bloodPressure = `${faker.number.int({ min: 100, max: 140 })}/${faker.number.int({ min: 60, max: 90 })}`;
    const heartRate = faker.number.int({ min: 60, max: 100 });
    const oxygenSaturation = faker.number.int({ min: 95, max: 99 });
    const note = faker.lorem.sentences(1);
    
    // Write a new line of data
    doc.text(`[${eventTime.toLocaleTimeString()}] **${eventType}**: Patient ID ${patientID}`);
    doc.text(`  - Blood Pressure: ${bloodPressure}, Heart Rate: ${heartRate}, Oxygen Saturation: ${oxygenSaturation}%`);
    doc.text(`  - Notes: ${note}`);
    doc.text('----------------------------------------------------');
  }

  // Finalize the PDF
  doc.end();
  console.log(`Successfully created a simulated real-time PDF: ${fileName}`);
}

// Execute the function
generateRealTimeMedicalPdf();
{
  "name": "pdf-search-app",
  "version": "1.0.0",
  "description": "",
  "main": "index.js",
  "scripts": {
    "test": "echo \"Error: no test specified\" && exit 1"
  },
  "keywords": [],
  "author": "",
  "license": "ISC",
  "dependencies": {
    "@faker-js/faker": "^10.0.0",
    "express": "^5.1.0",
    "mongoose": "^8.18.1",
    "multer": "^2.0.2",
    "pdf-parse": "^1.1.1",
    "pdfkit": "^0.17.2",
    "socket.io": "^4.8.1"
  }
}
const express = require('express');
const multer = require('multer');
const pdfParse = require('pdf-parse');
const path = require('path');
const fs = require('fs'); // Import the file system module
const app = express();
const port = 3000;

// An in-memory array to store the extracted PDF data
const pdfDocuments = [];

// Set up Multer to store uploaded files on the disk
const upload = multer({ dest: 'uploads/' });

// Ensure the 'uploads' directory exists
if (!fs.existsSync('uploads')) {
  fs.mkdirSync('uploads');
}

app.use(express.static('public'));

// --- File Upload Endpoint ---
app.post('/upload', upload.single('pdf'), async (req, res) => {
  if (!req.file || req.file.mimetype !== 'application/pdf') {
    return res.status(400).send('Please upload a PDF file.');
  }

  try {
    const filePath = req.file.path;
    const dataBuffer = fs.readFileSync(filePath);
    const data = await pdfParse(dataBuffer);

    // Store the extracted text and original filename in memory
    const newPdf = {
      id: pdfDocuments.length + 1,
      filename: req.file.originalname,
      text: data.text
    };
    pdfDocuments.push(newPdf);

    // Clean up the temporary file
    fs.unlinkSync(filePath);

    res.status(200).send('PDF uploaded and text extracted successfully.');
  } catch (err) {
    console.error('Error during PDF processing:', err);
    res.status(500).send('Error processing PDF.');
  }
});

// --- Real-time Search Endpoint ---
app.get('/search', (req, res) => {
  const { keyword } = req.query;
  if (!keyword) {
    return res.status(400).send('Please provide a keyword to search.');
  }

  const results = pdfDocuments.filter(doc => 
    doc.text.toLowerCase().includes(keyword.toLowerCase())
  );

  res.status(200).json(results);
});

app.listen(port, () => {
  console.log(`Server listening on port ${port}`);
});
Reasons:
  • Blacklisted phrase (1): This document
  • RegEx Blacklisted phrase (2.5): Please provide
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Sravan Reddy

79773056

Date: 2025-09-23 20:43:57
Score: 2.5
Natty:
Report link

I had this error when the json file was saved with UTF-16 encoding. Switching to UTF-8 fixed the issue.

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

79773051

Date: 2025-09-23 20:37:56
Score: 3
Natty:
Report link

Another option is LexoRank which stores the order in strings (Jira uses this for ranking tasks) https://www.youtube.com/watch?v=OjQv9xMoFbg

Reasons:
  • Blacklisted phrase (1): youtube.com
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
Posted by: Thomas

79773036

Date: 2025-09-23 20:15:50
Score: 2.5
Natty:
Report link

I'm using Visual Studio 2022 and I was able to add it this way. One thing I noticed though: it doesn’t delete the whole word if it’s inside quotes. it deletes the quote first, and then the word.

Tools--> Options...

enter image description here

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

79773028

Date: 2025-09-23 20:08:46
Score: 7 🚩
Natty:
Report link

Hi Even im facing same issue

Let me know what f you find any solution

Reasons:
  • Blacklisted phrase (1.5): any solution
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): facing same issue
  • Low reputation (1):
Posted by: Sai Pranav Dushetty

79773027

Date: 2025-09-23 20:06:46
Score: 2
Natty:
Report link

I ran into this problem before. But it turns out that the path to the .mov data was wrong. So I think you should check the path first.

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

79773023

Date: 2025-09-23 20:01:44
Score: 1.5
Natty:
Report link

Try adding this as an environment variable on Render if using spring boot:

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

79773020

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

I found this discussion and the solution offered there worked for me.
https://github.com/microsoft/vscode/issues/266335

Solution from there: Run wsl --update from Windows Powershell

Reasons:
  • Whitelisted phrase (-1): worked for me
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: user1007869

79773014

Date: 2025-09-23 19:40:40
Score: 0.5
Natty:
Report link

Depending on the volume you might benefit from commitment tiers in Log Analytics Workspace (every Application Insights resource is backed up by Log Analytics Workspace for storying logs): https://azure.microsoft.com/en-us/pricing/details/monitor/

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

79773013

Date: 2025-09-23 19:40:40
Score: 0.5
Natty:
Report link

if you looking for a nice scale google docs looks like they have a nice scale and they use these:

:root { font-size: 14px; }
h1{font-size:2rem;}
h2{font-size:1.6rem;}
h3{font-size:1.4rem;}
h4{font-size:1.2rem;}
h5{font-size:1.1rem;}
h6{font-size:1.1rem;font-style: italic;}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Technolo Jesus

79773009

Date: 2025-09-23 19:37:38
Score: 1.5
Natty:
Report link

solved with:

quarkus {
    set("container-image.tag", sanitizeVersionName(project.version))
}
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Hugo Dias

79773004

Date: 2025-09-23 19:31:36
Score: 1.5
Natty:
Report link

You can also try using position absolute and moving it downwards depending on the size of the small text

 .mat-mdc-checkbox:has(.text-muted) {
    .text-muted {
      position: absolute;
      top: var(--mat-checkbox-label-text-size);
      margin-top: 16px; // this can be adjusted
    }
  }
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Sebastian Vidal

79772997

Date: 2025-09-23 19:23:34
Score: 1
Natty:
Report link

Turn off Tab/Enter to accept suggestions

  1. Open Settings (Cmd + , on macOS).

  2. Search for "acceptSuggestionOnEnter".

  3. Set it to "off".

    • This stops VS Code from inserting suggestions when you press Enter.
  4. Similarly, search for "acceptSuggestionOnTab" and disable it.

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

79772995

Date: 2025-09-23 19:22:33
Score: 2.5
Natty:
Report link

Check out JNBridge. https://jnbridge.com/

It provides interop both ways, calling java from .net or calling .net from java.

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

79772991

Date: 2025-09-23 19:14:31
Score: 3
Natty:
Report link

set UIDesignRequiresCompatibility in info.plist to Boolean = YES

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

79772986

Date: 2025-09-23 19:09:30
Score: 3
Natty:
Report link

Simply we use the following syntax to fetch details:

http://localhost:3000/users?id=1234

or

http://localhost:3000/users?id=1235

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

79772984

Date: 2025-09-23 19:09:30
Score: 1
Natty:
Report link

The preferred way to check types with Google Test is:

std::any x = 73;
EXPECT_EQ(x.type(), typeid(double));

With recent versions of Google Test this gives a readable output like this:

Expected equality of these values:
  x.type()
    Which is: char
  typeid(double)
    Which is: double

With older versions (like 1.11) that still works properly, but only the output is not as readable.

Thanks a lot to Marek R and all the others who provided valuable input.

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

79772968

Date: 2025-09-23 18:50:24
Score: 0.5
Natty:
Report link

When you use window.print(), the browser just takes your rendered page and runs it through its print stylesheet (or default rules if you don’t have one). There’s no “pixel-perfect” way to predict where the page will break because the browser converts everything into physical units (inches/mm) based on your screen DPI and printer settings.

If you want predictable results, you should add a @media print CSS section and explicitly control the size of the printed area. For example:

@media print {
  @page {
    size: A4 portrait; /* or letter/landscape */
    margin: 10mm;
  }

  .page-break {
    page-break-before: always;
  }
}
Then, you can measure your elements and insert page breaks where needed by adding class="page-break" in your HTML.

The key thing is: don’t rely on screen px measurements. Convert to in, mm, or use percentages relative to the page. That way you can predict when something will spill over an 11-inch page.
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Starts with a question (0.5): When you use
  • Low reputation (1):
Posted by: nandini paluchuri

79772964

Date: 2025-09-23 18:46:23
Score: 3
Natty:
Report link

It turns out that our process was setup correctly but the JBoss admin on Linux didn't have execute privileges on the JAR file. He added that in and then the driver was able to be registered.

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

79772954

Date: 2025-09-23 18:32:19
Score: 3.5
Natty:
Report link

I found these solutions: the first one is more concise if you already have some experience with LDAP, and the second one provides a detailed step-by-step guide.

1- https://github.com/sbrannstrom/nestjs-passport-ldap-example

2 - https://blog.stackademic.com/building-a-secure-nestjs-application-with-jwt-typeorm-postgresql-and-ldap-server-1ac5249dae53"

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: joao pedro purcino batista

79772943

Date: 2025-09-23 18:21:16
Score: 3
Natty:
Report link

If you the package was ported from another project, you may want to consider recreating the variables and/or connection managers that are referencing the invalid values.

Charles Mulwa

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

79772922

Date: 2025-09-23 17:51:08
Score: 1.5
Natty:
Report link

In Flowise AgentFlow, you can use an agent condition with different vectorStore node in the output, the variable to be checked would be preferably a work flow state.

Reasons:
  • Whitelisted phrase (-1.5): you can use
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Ilias Seddik

79772917

Date: 2025-09-23 17:44:05
Score: 2.5
Natty:
Report link

Looks like the custom-<CPUs>-<MBs> name scheme is used for the N1 family custom machine types.

I recently had this question and found in the GCloud console's Create VM UI that the N1 custom machine type is the only one that maps to this naming scheme. All the other families that support custom types use their family prefix before the custom-....

I cannot find any documentation to definitively clarify the naming scheme so I can't say this is 100% the answer, but seems like it is.

Reasons:
  • Blacklisted phrase (1.5): I cannot find
  • Blacklisted phrase (0.5): I cannot
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Ian Halliday

79772911

Date: 2025-09-23 17:37:04
Score: 3
Natty:
Report link

I tried adding this as a comment to Suncatcher answer but the "Add a comment" input area doesn't work for me:

That class (cl_reca_rs_services) doesn't exist in some CRM system. However, copying the code from a S/4 system, replacing re_t_string with stringtab and also copying the content of the include with macros, is quickly done.
There is also REPS SEO_CLASS_OUTPUT which produces a WRITE list which can be processed as described in How to extract the output of called program RAZUGA01 (FUNC LIST_FROM_MEMORY)

Reasons:
  • RegEx Blacklisted phrase (2): doesn't work for me
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: gunnar247

79772894

Date: 2025-09-23 17:16:00
Score: 2
Natty:
Report link

MV2 is not yet supported by Chrome, so the problem remains:

Background scripts do not support "document", and content scripts do not support "onCommand".

I have a bookmarklet/JS to switch the current page to dark mode,but I would like to use it only on a hotkey press. None of the solutions work using MV3.

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

79772887

Date: 2025-09-23 17:07:58
Score: 1
Natty:
Report link

To add to all other answers, I want to point out a really popular use case of this, which is Pandas. They implemented the __getitem__ method (and others). The library does this to index and filter their own spreadsheet like data type. This comes in really usefully when also combining it with with other python features such as slicings.

In other programming languages this term related with operator overloading where you write your own behavior for different features in a programming language.

Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Hamza

79772883

Date: 2025-09-23 17:01:56
Score: 3.5
Natty:
Report link

It turns out I installed OBS via flatpak, so OBS did not have access to the script I was trying to call. I put the script in the OBS sandbox and it works just fine!

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

79772867

Date: 2025-09-23 16:43:52
Score: 3
Natty:
Report link

"_" looks not valid either : I get "named capturing group is missing trailing '>'" at the _'s position

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: François Même

79772840

Date: 2025-09-23 16:19:46
Score: 5
Natty:
Report link

@YevgeniyAfanasyev This is the main account. When you register to developer.paypal.com, after that you can create as many sandbox accounts, as you like from the developer dashboard

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • User mentioned (1): @YevgeniyAfanasyev
  • Single line (0.5):
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: Shreeram mahara

79772827

Date: 2025-09-23 16:05:42
Score: 4
Natty: 4.5
Report link

I get that this guide contains what you're concerned about (updates to service worker.js) but honestly following this guide was incredibly easy and worked right off the bat: https://whuysentruit.medium.com/blazor-wasm-pwa-adding-a-new-update-available-notification-d9f65c4ad13

In addition, even the standard pwa documentation suggests updating it as necessary: https://learn.microsoft.com/en-us/aspnet/core/blazor/progressive-web-app/?view=aspnetcore-9.0&tabs=visual-studio#background-updates

Reasons:
  • Blacklisted phrase (1): this guide
  • Blacklisted phrase (0.5): medium.com
  • Probably link only (1):
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: misterbee180

79772816

Date: 2025-09-23 15:48:37
Score: 2
Natty:
Report link

I think the problem you are experiencing looks something like this:

<Button onPress(() => router.push("/some-page") />

Where pressing on the button multiple times in quick succession leads to a navigation stack looking like:

["some-page", "some-page", "some-page"]

Ideally, you press the button several times and only navigate to some-page once.

I've found that using the Expo Router component <Link> solves this problem though I can't point to documentation that proves this. Expo must handle the multiple navigation problem within their Link component.

To me this makes sense - why would they make a navigation library without solving this problem in some form?

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: cdip

79772806

Date: 2025-09-23 15:40:35
Score: 0.5
Natty:
Report link

With GROUPBY function the following result is generated

=GROUPBY(B1:B7,C1:D7,LAMBDA(a,SUM(IF(a<>"",1,0))/ROWS(a)),3,0)

Result of formula

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

79772804

Date: 2025-09-23 15:38:35
Score: 1
Natty:
Report link

A DSA (Data Structures & Algorithms) approach is most useful when the problem involves efficiency, scalability, or optimization. If you’re dealing with large inputs, need to minimize time/space complexity, or want a reusable, structured way to solve a class of problems (like graph traversal, searching, sorting, or dynamic programming), that’s where DSA really shines.

For everyday coding tasks or small projects, you might not need a full DSA-heavy solution — but for interviews, competitive programming, or systems where performance matters, it’s almost always worth applying.

I’ve also been exploring some customization resources at :

that touch on structured approaches and problem-solving.

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

79772802

Date: 2025-09-23 15:37:34
Score: 1.5
Natty:
Report link
main.ts

import { bootstrapApplication } from '@angular/platform-browser';
import { appConfig } from './app/app.config';
import { App } from './app/app';




bootstrapApplication(App, appConfig)
    .catch((err) => console.error(err));
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Karol Szymański

79772795

Date: 2025-09-23 15:28:31
Score: 3
Natty:
Report link

In the newer versions Chroma doesn't accept lists anymore. To bypass this I'm adding the keywords to my document and using where_document $contains to retrieve them. Doesn't work as well but it's better than nothing

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Elena López-Negrete Burón

79772794

Date: 2025-09-23 15:26:31
Score: 1.5
Natty:
Report link

For anyone who might be encountering the same problem as me, the answer is to make sure all references are assigned correctly. Both forward and back. Also, I was initially wondering why a particular foreign key is causing problems while others are not. It turns out this particular foreign key is NOT NULLABLE while the others are so it didn't cause a problem. Initially, I was not setting the back references, I only set the references sufficient to perform cascade persist. Example, in the case above, I linked D to B so that when B is saved, D will also be saved. BUT, I did not link D to C so JPA had no idea that D is dependent on both B and C. Also, I removed the reference from C to D because in my case I didn't really need the relationship to be bidirectional.

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

79772793

Date: 2025-09-23 15:25:30
Score: 0.5
Natty:
Report link

Use DagsHub’s Artifact Storage Only

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

79772788

Date: 2025-09-23 15:22:30
Score: 2.5
Natty:
Report link

The issue was caused by a library not initializing correctly in TestFlight builds, likely due to the archiving process.

Fix:

In Xcode → Build Settings → Deployment → Strip Style, change the value from All Symbols to Non-Global Symbols.

After applying this, the app launched normally on iOS 26 real devices.

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

79772784

Date: 2025-09-23 15:17:28
Score: 3.5
Natty:
Report link

I ended up heavy-handedly solving this by destroying the DOM objects and reloading the converse.js javascript itself from scratch.

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

79772782

Date: 2025-09-23 15:16:27
Score: 6 🚩
Natty: 3
Report link

Did you come up with a solution for this, having a similar problem where a GlobalKTable is the elegant solution but doesn't trigger events as currently constructed.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): having a similar problem
  • Single line (0.5):
  • Starts with a question (0.5): Did you
  • Low reputation (1):
Posted by: clive_

79772780

Date: 2025-09-23 15:14:26
Score: 5
Natty:
Report link

The workaround I've found is to send that segment a journey that populates tasks for its members (instead of a typical journey that, say, sends emails). See here for basic methodology: https://sirajabousaid.substack.com/p/easily-export-marketing-segment-members. However, I've found unworkable/impractical the final step there to export directly from tasks in Activities view. Instead, I make a contacts view with filters like the following:

Tasks (Regarding) Contains data

Subject Equals [NAME OF TASK]

I'm also interested in the converse of this problem, making a real-time segment from a contacts view (assuming that the fields selection in defining real-time segments can't do the job for whatever reason). If anyone has any solutions there, I'd be grateful.

Reasons:
  • Blacklisted phrase (1.5): any solution
  • RegEx Blacklisted phrase (2): I'd be grateful
  • Long answer (-0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: overthewall

79772774

Date: 2025-09-23 15:10:25
Score: 3
Natty:
Report link

IntelliJ IDEA 2025.2.2

Rt click on the Main Toolbar then click on "Add Action to Main Toolbar" > "Back / Forward"

enter image description here

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

79772769

Date: 2025-09-23 15:07:23
Score: 0.5
Natty:
Report link

Objects of the date type are always naive.

https://docs.python.org/3/library/datetime.html#determining-if-an-object-is-aware-or-naive

Therefore, construct a UTC datetime and get its date

import datetime
date = datetime.datetime.now(tz=datetime.timezone.utc).date()
print(date)  # 2025-09-23

My personal opinion, though? Keep the aware datetime instead of just the date. You can always call .date() on it, or create a new aware datetime with the hours, minutes, seconds, and microseconds removed.

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

79772764

Date: 2025-09-23 15:02:22
Score: 3.5
Natty:
Report link

I can confirm this is a bug in `lld-link.exe`, see here: https://github.com/llvm/llvm-project/issues/82050

A fix is available since LLVM 21.

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

79772753

Date: 2025-09-23 14:53:19
Score: 3
Natty:
Report link

So I managed to overcome this problem by adding a build-manifest.json file to the "basedirectory" immediately after the npm run build step... but now I'm getting the following error
Here is the the screenshot of the error

Reasons:
  • RegEx Blacklisted phrase (1): I'm getting the following error
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Katleho Komeke

79772747

Date: 2025-09-23 14:50:19
Score: 3
Natty:
Report link

and for ?

- parent
- sub module A
- sub module B
-- sub module B1
-- sub module B2
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
Posted by: user1568220

79772745

Date: 2025-09-23 14:49:18
Score: 1.5
Natty:
Report link

I ran into the same issue while expanding a burger menu on iOS. Tried using 100svh/dvh/lvh and even env(safe-area-inset-bottom), but nothing worked.

What finally helped was handling the body styles differently:

This prevents the bottom widget from expanding unexpectedly and makes the element properly use the available viewport.

Reasons:
  • Blacklisted phrase (1): but nothing work
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Nirmal Premil

79772742

Date: 2025-09-23 14:48:18
Score: 0.5
Natty:
Report link

i know its unrelated but if you looking for a nice scale google docs looks like they have a nice scale and they use these:

:root { font-size: 14px; }
h1{font-size:2rem;}
h2{font-size:1.6rem;}
h3{font-size:1.4rem;}
h4{font-size:1.2rem;}
h5{font-size:1.1rem;}
h6{font-size:1.1rem;font-style: italic;}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Technolo Jesus

79772738

Date: 2025-09-23 14:47:18
Score: 1
Natty:
Report link
RegisteredCredential registered = RegisteredCredential.builder()
        .credentialId(result.getKeyId().getId())
        .userHandle(request.getUser().getId())
        .publicKeyCose(result.getPublicKeyCose())
        .signatureCount(result.getSignatureCount())
        .build();

This resolves problem
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Karol Wolny

79772727

Date: 2025-09-23 14:40:16
Score: 0.5
Natty:
Report link

I got this error message when I used the wrong username for the database.

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • High reputation (-2):
Posted by: asmaier

79772718

Date: 2025-09-23 14:32:14
Score: 3
Natty:
Report link

l=int(input("enter the value of l"))

b=int(input ("enter the value of b"))

a=l*b

Print("area of rectangle a")

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

79772707

Date: 2025-09-23 14:19:11
Score: 0.5
Natty:
Report link

The issue is that the & character in "Bunnies & Burrows" is being interpreted as the start of an XML entity (like &, <, etc.), but "Burrows" isn't a valid XML entity name.

The Fix: XML Escape the Ampersand

In XML, you need to escape the & character as &:

search_term = "Bunnies & Burrows"xml_safe_term = search_term.replace("&", "&")# Result: "Bunnies & Burrows"

Try this and see if it yields any clues:

<?php

$test = "Bunnies & Burrows";

echo "Original: " . $test . "\n";

echo "Escaped: " . htmlspecialchars($test, ENT_XML1, 'UTF-8') . "\n";echo "Manual: " . str_replace('&', '&', $test) . "\n";

Reasons:
  • Whitelisted phrase (-1): Try this
  • Long answer (-0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Brian Geraghty

79772701

Date: 2025-09-23 14:12:09
Score: 1.5
Natty:
Report link

Why not use the object-oriented way of creating plots with matplotlib?

for (site, v) in weather_data.items():
    f, ax = plt.subplots()
    for day, value in v["Avg"].items():
        ax.plot(value[0], value[1], label = site)
    
    ax.legend()
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): Why not use the
  • High reputation (-1):
Posted by: raphael

79772693

Date: 2025-09-23 14:03:07
Score: 3
Natty:
Report link

Hi I also run into this issue and running the script here works for me!

https://github.com/microsoft/vscode/issues/208117#issuecomment-2125704871

Reasons:
  • Whitelisted phrase (-1): works for me
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: dureduck

79772688

Date: 2025-09-23 14:01:07
Score: 2
Natty:
Report link

In case someone gets here... I got this issue and the reason was that I was linking with the release version of the OpenCV library instead of the debug version in my Debug configuration.

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

79772674

Date: 2025-09-23 13:45:02
Score: 2.5
Natty:
Report link

I recently encountered a similar problem. It was related to having two biosphere databases in the project, which apparently created a conflict such that flows of one were not characterised.

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

79772666

Date: 2025-09-23 13:38:00
Score: 3.5
Natty:
Report link

Metric source - Service Bus Queue

Your application or other components can transmit messages on an Azure Service Bus queue to trigger rules.

https://learn.microsoft.com/en-us/azure/virtual-machine-scale-sets/virtual-machine-scale-sets-autoscale-overview?tabs=portal-1

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

79772661

Date: 2025-09-23 13:36:00
Score: 2
Natty:
Report link

I got hit by that as a nice but simple VS Code extension tried to search a huge subfolder (node_modules) for keywords on startup and obviously totally ate up VS Code by this. Disabling "on startup" in the extension's setting made things well.

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

79772660

Date: 2025-09-23 13:34:59
Score: 4
Natty: 4.5
Report link

Now I use solana_program::borsh1::xxx (see https://github.com/baiwfg2/solana-demos/commit/cf9e25b56a4160f64a1e09129d585fe1060f6c64)

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

79772648

Date: 2025-09-23 13:21:56
Score: 1
Natty:
Report link

Aligning custom buttons perfectly with the default caption buttons using only the HeaderTemplate can be quite limiting. The HeaderTemplate is primarily intended for defining the header content, not for integrating with the native window caption controls.

To achieve precise alignment and behavior similar to default caption buttons, it is recommended to customize the style of the floating window itself. Specifically, it can be modified the - FloatWindowStyle by accessing the NativeWindowStyle property of the DockingManager.

In the attached sample, a custom Refresh button was added directly into the header style and bound it to the ContentControl within the NativeFloatWindow template. This approach ensures the custom button aligns seamlessly with the default window controls and behaves consistently. Attached are the sample project and demo video for reference.

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

79772646

Date: 2025-09-23 13:17:54
Score: 2
Natty:
Report link

If you use prettier 2, then use the HTML parser:

const prettierHtml = await import('prettier/parser-html');

It contains the angular parser anyway:
enter image description here

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

79772643

Date: 2025-09-23 13:14:54
Score: 2
Natty:
Report link

To become a great developer, start with a strong foundation. Learn the basics of programming: variables, loops, functions, and object-oriented programming. Study data structures and algorithms like arrays, trees, and sorting—they teach you how to solve problems efficiently. Basic math and logic will sharpen your thinking.

Pick a primary language and master it. Popular choices include JavaScript, Python, Java, or C#. Once comfortable, explore others to broaden your skills. Learn to use Git for version control and get familiar with command-line tools. Practice using IDEs like VS Code or IntelliJ.

Understand databases—both SQL (e.g., MySQL, PostgreSQL) and NoSQL (e.g., MongoDB). Learn the web basics: HTML, CSS, JavaScript, and how the internet works (HTTP, APIs). Choose a framework or library relevant to your path, such as React for front-end or Node.js/Django for back-end.

Focus on problem-solving. Use platforms like LeetCode, HackerRank, or Codewars to practice coding challenges. Learn design patterns and software architecture principles like SOLID to write clean, scalable code. Study testing (unit and integration tests) and debugging techniques.

Build real projects. Start with small tasks like a to-do app or personal website. Progress to full-stack apps, collaborative work, or open-source contributions. Deploy your projects using GitHub Pages, Netlify, or Vercel and keep a public portfolio.

Develop professional skills. Communicate clearly with teammates and non-technical people. Learn Agile or Scrum workflows and tools like Trello or Jira. Be open to code reviews and feedback—they improve your skills and teamwork.

Keep learning. Technology changes fast, so follow blogs, podcasts, or conferences. Study cloud computing (AWS, Azure, GCP), APIs, microservices, and security practices. Over time, consider specializing in areas like AI/ML, mobile development, blockchain, or SaaS.

Build good habits. Code consistently, even in small amounts. Read other developers’ code to learn new techniques. Teach others through blogging or mentoring—explaining ideas deepens your understanding. Join communities like Reddit’s r/programming, Dev.to, or local meetups to connect and learn.

Finally, stay curious and patient. Becoming an excellent developer takes time and practice. Focus on problem-solving, keep improving your projects, and seek feedback. Combine strong technical skills, effective communication, and consistent effort—you’ll stand out as a capable and adaptable developer.

Reasons:
  • Blacklisted phrase (1): how to solve
  • Long answer (-1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: ologun henry

79772641

Date: 2025-09-23 13:10:53
Score: 2.5
Natty:
Report link

I just ran into same problem
what if you add a timer to your app that is being refreshed every sec, and if time ever runs out it will mean app was closed.

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

79772615

Date: 2025-09-23 12:54:44
Score: 6.5 🚩
Natty:
Report link

Thanks for the answer but this isn't convinient at all.
Let's say I just want to show a list of cars, and I have a li containing the color like this
Color: {color}

I can't use this color to style the div with tailwind classes (to give a red background for example) so I'll have to create a 2nd variable and imo that's bad ... I would like to use only one variable to do 2 things.

The only solution I found is to use the safelist array in the config file and it's a bad solution so I was looking for a real better solution.

I was under the impression that postcss fixed it but the issue came back so probably didn't came back.

If someone can enlighten me I would appreciate, thanks in advance.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (0.5): thanks
  • Blacklisted phrase (1.5): would appreciate
  • RegEx Blacklisted phrase (3): thanks in advance
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Arn0low

79772600

Date: 2025-09-23 12:40:40
Score: 2.5
Natty:
Report link

You can duplicate the measure you are using on the chart and create a new one to show data from 2020 to 2023 as adotted line. The original measure reflects data from 2020 to 2023 and is solid color. You add both measures and create a dual axis charts. Then under marks you can edit the line before the 2023 data and after. Otherwise you can't make a semi solid, semi dotted (yet).

enter image description here

enter image description here

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

79772593

Date: 2025-09-23 12:34:39
Score: 0.5
Natty:
Report link

0

you can use my captcha Library :

Require this package with composer:

composer require hpd/captcha

Usage:

    <img src="{{captcha_get_src()}}" title="Captcha" alt="Captcha">
    <div> {!!captcha_get_img()!!}</div>
/* Validation */
    Route::post('captcha_check', function() {
         $validator = Validator::make($request->all(), [
                'captcha' => 'required|captcha',
            ]);

            if ($validator->fails()) {
                return redirect()->back()
                    ->withErrors($validator)
                    ->withInput();
            }
   
 });

This package also supports API mode.

👉 Read more at the link below

https://github.com/hamid-hpd/captcha

Reasons:
  • Blacklisted phrase (1): the link below
  • Whitelisted phrase (-1.5): you can use
  • Contains signature (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Hamid

79772591

Date: 2025-09-23 12:32:38
Score: 2.5
Natty:
Report link

In Tableau Desktop try using the top toolbar: Analysis -> Table Layout -> Show Empty Rows / Columns.

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

79772590

Date: 2025-09-23 12:32:38
Score: 1
Natty:
Report link

Your data disappears because you’re running MongoDB with --rm, which deletes the container before it can flush data to disk. Also, show dbs won’t display your notes DB until it has real data written. To fix this, remove --rm from your docker run so the container shuts down cleanly, and always check with use notes; db.notes.find() instead of just show dbs. Also confirm your volume is mounted with docker volume inspect mongodb. This way, your data will persist across restarts.

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

79772586

Date: 2025-09-23 12:27:37
Score: 2
Natty:
Report link

I saw the same behavior and it turned out not to be Cloudflare or our backend at all. The culprit was Norton Safe Web’s QUIC/HTTP3 scanning — when enabled, it caused random stalls before DNS/connection. Disabling just that feature fixed the issue completely. Worth checking if affected users run Norton or similar AV software.

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

79772563

Date: 2025-09-23 12:02:31
Score: 3
Natty:
Report link

You can manually dispose of a provider in Flutter by calling dispose() on the controller or state object within your widget's dispose() method.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Pauls Creationids Interior Des

79772562

Date: 2025-09-23 12:00:30
Score: 0.5
Natty:
Report link

you can use my captcha Library :

Require this package with composer:

composer require hpd/captcha

Usage:

    <img src="{{captcha_get_src()}}" title="Captcha" alt="Captcha">
    <div> {!!captcha_get_img()!!}</div>
/* Validation */
    Route::post('captcha_check', function() {
         $validator = Validator::make($request->all(), [
                'captcha' => 'required|captcha',
            ]);

            if ($validator->fails()) {
                return redirect()->back()
                    ->withErrors($validator)
                    ->withInput();
            }
   
 });

👉 Read more at the link below

https://github.com/hamid-hpd/captcha

Reasons:
  • Blacklisted phrase (1): the link below
  • Whitelisted phrase (-1.5): you can use
  • Contains signature (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Hamid

79772556

Date: 2025-09-23 11:58:30
Score: 2
Natty:
Report link

const el = {

container: qs('.mo-container'),

i: qs('.lttr--I'),

l: qs('.lttr--L'),

o: qs('.lttr--O'),

v: qs('.lttr--V'),

e: qs('.lttr--E'),

y: qs('.lttr--Y'),

o2: qs('.lttr--O2'),

u: qs('.lttr--U'),

lineLeft: qs('.line--left'),

lineRight: qs('.line--right'),

colTxt: "#763c8c",

colHeart: "#fa4843",

blup: qs('.blup'),

blop: qs('.blop'),

sound: qs('.sound'),

image: qs('.mo-image')

};

Reasons:
  • No code block (0.5):
  • No latin characters (0.5):
  • Low reputation (1):
Posted by: MD Alam

79772551

Date: 2025-09-23 11:56:28
Score: 7 🚩
Natty: 6.5
Report link

That API has not been fully deprecated. There are some endpoints (like the one we're talking about here, to retrieve the reviews data) that have not been migrated yet. For those, according to the documentation, the old API v4.9 must be used. Still it does not work.

Leo Rebaz, where you able to solve this?

Reasons:
  • Blacklisted phrase (1): you able to solve
  • RegEx Blacklisted phrase (1.5): solve this?
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: acosci

79772550

Date: 2025-09-23 11:55:28
Score: 2.5
Natty:
Report link

Don’t try to solve this with DRM overlays (that’s fragile and misleading).

Instead : Look at SecureDrop → open-source, vetted, designed for exactly this.

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

79772541

Date: 2025-09-23 11:43:24
Score: 1.5
Natty:
Report link

body { font-family: Tahoma, sans-serif; background: #f0f8ff; margin: 20px; text-align: center; } h1 { font-size: 40px; margin-bottom: 30px; color: #2a4d69; } .students { display: grid; grid-template-columns: repeat(6, 1fr); gap: 15px; justify-items: center; margin-bottom: 40px; } .student { width: 120px; height: 150px; background: white; border: 2px solid #2a4d69; border-radius: 10px; display: flex; flex-direction: column; justify-content: space-between; align-items: center; padding: 5px; } .photo { width: 100%; height: 100px; background: #d3d3d3; border-radius: 5px; } .name { font-size: 14px; font-weight: bold; color: #333; } .schedule { margin-top: 40px; } table { margin: 0 auto; border-collapse: collapse; width:؟

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

79772528

Date: 2025-09-23 11:35:21
Score: 0.5
Natty:
Report link

According to AWS support, cancelling the CompletableFuture with a timeout doesn't cancel the underline reactive stream. The solution is to rely on an AtomicBoolean to stop delivering the pages to the consumer when desired.

Reasons:
  • Whitelisted phrase (-1): solution is
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Cristian

79772526

Date: 2025-09-23 11:30:20
Score: 2.5
Natty:
Report link

It looks like the error happens because you’re using a single MySQL connection (mysql.createConnection) instead of a pool. A single connection can drop if the server restarts or if it times out, which is why you get PROTOCOL_CONNECTION_LOST.

A better approach is to use a connection pool. That way MySQL automatically reuses or refreshes connections:

const mysql = require('mysql2');

const pool = mysql.createPool({
  host: 'localhost',
  user: 'root',
  password: '',
  database: 'charity_tracker',
  waitForConnections: true,
  connectionLimit: 10,
  queueLimit: 0
});

module.exports = pool.promise();

Using a pool usually fixes the “connection lost” problem.

If you still get the same issue, check the MySQL error logs. Sometimes tables get corrupted after crashes, and that can also cause random disconnects. You can run:

CHECK TABLE users;
CHECK TABLE donations;
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): get the same issue
  • Low reputation (1):
Posted by: Arun Pratap

79772511

Date: 2025-09-23 11:14:15
Score: 12.5 🚩
Natty:
Report link

Hey we are also facing the same issue. Did you find any solution to tackle this. we are currently using 3.5v2 with agent collaborators and enabled prompt overriding for orchestration. Please let me know if you find any

Reasons:
  • Blacklisted phrase (1.5): any solution
  • RegEx Blacklisted phrase (2.5): Please let me know
  • RegEx Blacklisted phrase (3): Did you find any solution to
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): also facing the same issue
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: something

79772506

Date: 2025-09-23 11:05:13
Score: 1
Natty:
Report link

Had the same problem. idk if its right but it works on my code

grades = {
    "lance": [1, 2, 3],
    "nate": [1, 2, 3]
}

index = 0
arr = list(grades)
str = arr[index]
grades.pop(str)
print(grades)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Lance Nathan B. De Belen

79772492

Date: 2025-09-23 10:52:10
Score: 0.5
Natty:
Report link

I have found the way pip is getting installed with python3.13-pip

If we install python3-pip , we can directly call pip install command but with python3.13-pip we have to call pip3.13 install, it is not linking directly with either pip or pip3.

This is strange behaviour as python 3.9 reached eol , the way of new package installation should have changed. Anyway posting my findings here.

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

79772489

Date: 2025-09-23 10:51:09
Score: 2
Natty:
Report link

I had this error when I imported by mistake a server module in some client code. Check your recently added imports.

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

79772487

Date: 2025-09-23 10:51:09
Score: 1
Natty:
Report link

pg_stat_activity doesn't give you the real connections, it gives you the backends. Parallel executions would have multiple entries so your select should be like:
select count(*) from pg_stat_activity where leader_pid is not null;

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

79772486

Date: 2025-09-23 10:50:09
Score: 1.5
Natty:
Report link

It seems like it's safe, because it uses ClickCliRunner for tests, it proxies result_value from click, and click itself supports standalone_mode param. Discussion about the param in typer.

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

79772474

Date: 2025-09-23 10:35:05
Score: 0.5
Natty:
Report link

I found the issue, i setup fonts and created a `react-native.config.js` file, after backtracking my changes and removing this file, it fixed the issue. Further debugging the issue; there was an additional empty object in this file that was causing this issue:

Previous Version:

module.exports = {
    project: {
        ios: {},
        android: {},
    },
    assets: ['./app/assets/fonts/'],
};

Updated Version:

module.exports = {
    assets: ['./app/assets/fonts/'],
};

This fixed the issue.

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

79772463

Date: 2025-09-23 10:24:03
Score: 1.5
Natty:
Report link

This happens because of how Python handles list multiplication. Here's a full example:

---

### Example:

```python

# Works as expected

matrixM = [[0,0,0,0],[0,0,0,0],[0,0,0,0],[0,0,0,0]]

matrixM[1][1] = 2

print(matrixM)

# Output: [[0, 0, 0, 0], [0, 2, 0,]()]()

Correct Way:

Use a list comprehension to create independent sublists:

matrixA = [[0]*4 for _ in range(4)]

matrixA[1][1] = 2

print(matrixA)

# Output: [[0, 0, 0, 0], [0, 2, 0, 0], [0, 0, 0, 0], [0, 0, 0, 0]]

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

79772457

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

Import/export is supported (see https://github.com/p2-inc/keycloak-orgs/issues/147). That said, import/export from admin console does not include users nor organizations. You can export organizations with the CLI (see https://www.keycloak.org/server/importExport#_exporting_a_specific_realm) to see the expected format. You can then import again your realm with the CLI too but also with the /admin/realms Rest endpoint what is simpler than configuring everything with finer grain Rest endpoints.

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

79772456

Date: 2025-09-23 10:18:01
Score: 2.5
Natty:
Report link

same issue, , cans someone help, with error :

(index):1 GET http://localhost:4201/ 404 (Not Found)

Refused to connect to 'http://localhost:4201/.well-known/appspecific/com.chrome.devtools.json' because it violates the following Content Security Policy directive: "default-src 'none'". Note that 'connect-src' was not explicitly set, so 'default-src' is used as a fallback.

Reasons:
  • RegEx Blacklisted phrase (1): same issue
  • No code block (0.5):
  • Low reputation (1):
Posted by: othmane fallah el idrissi

79772454

Date: 2025-09-23 10:12:59
Score: 2.5
Natty:
Report link

Indeed, this formatting is applied in the SOURCE tab, not in the PREVIEW tab.

For example, set h1 to red (#FF0000) and restart eclipse. The effect will be visible in the markdown source, with no difference in the rendered view.

Looks like the rendering cannot be changed.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Jean-Baptiste B

79772443

Date: 2025-09-23 09:53:55
Score: 3.5
Natty:
Report link

after you run npm run build , where you generate the dist folder ? public or ressources ? make sure you point to the correct css files after building

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

79772423

Date: 2025-09-23 09:31:49
Score: 0.5
Natty:
Report link

I had the similar problem, only it was on a remote machine where the tests were executed via a azure pipeline:

- task: Maven@3       
    inputs:         
    mavenPomFile: 'pom.xml'         
    goals: 'clean verify'         
    options: '--quiet -Dfile.encoding=UTF-8 -f pom.xml -Dcucumber.options="--plugin pretty src/test/java/acceptancetests/testCases"'

It accured only after adding the --plugin/pretty part. After removing it from the command, I worked fine again. I still don't know why this plugin doesn't create the cucumber.json file.

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

79772418

Date: 2025-09-23 09:23:47
Score: 0.5
Natty:
Report link

In Lucene, scores can differ between partitions even if the document fields match exactly. The reason is that Lucene’s scoring depends not only on term frequency (TF) and inverse document frequency (IDF) within each partition but also on how big and diverse the index is.

For example:

If you want consistent scores across partitions, you’d need to:

  1. Use a MultiSearcher / IndexReader that merges statistics across indexes.

  2. Or normalize the scores manually after retrieval if you’re always querying partitions separately.

The important part is: scores are relative within a single index, not absolute across different ones. As long as the top matches are identical, the small score difference doesn’t usually matter.

By the way, I recently wrote about how Lucene scoring concepts feel similar to how different worlds are weighted in Anime Witcher — worth checking if you like technical + fantasy blends.

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

79772417

Date: 2025-09-23 09:22:47
Score: 3
Natty:
Report link

The neumorphic flutter plugin flutter_neumorphic is discontinued, instead you can use gusto_neumorphic or flutter_neumorphic_plus

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

79772411

Date: 2025-09-23 09:10:44
Score: 0.5
Natty:
Report link

The issue is with bar: dict as it seems to be a too generic type.

What worked for bar are:

from typing import Literal

bar: dict[Literal["bar"], str] = {"bar": "bar"}


# or

class BarDict(TypedDict):
    bar: str

bar: BarDict = {"bar": "bar"}

This means, that it's some sort of an "all in" situation if this way of typing wants to be used.

Cool new things are coming in this area, for example have a look at extra items https://peps.python.org/pep-0728/#the-extra-items-class-parameter

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

79772408

Date: 2025-09-23 09:07:43
Score: 0.5
Natty:
Report link

it's late but. Yes. You can use i18nGuard — an i18n‑aware linter for JS/TS that flags hard‑coded strings and also checks missing/unused keys across i18next, React‑Intl (FormatJS), and Lingui. I wrote a short post with setup and examples here: Stop shipping hard‑coded strings: Meet i18nGuard — an i18n linter for JS/TS (i18next, React‑Intl, Lingui) (https://dev.to/rmi_b83569184f2a7c0522ad/stop-shipping-hard-coded-strings-meet-i18nguard-an-i18n-linter-for-jsts-i18next-react-intl-4m8a).

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

79772404

Date: 2025-09-23 09:04:42
Score: 0.5
Natty:
Report link

I prefer to use many-to-one to prevent recursive and relational fetching issue. You don't need to manage fetch type... It's less effort and less error... and less Frustate...

@Entity
@Data
public class Content {
    @Id
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    private Long contentId;
    private String contentName;
    @Column(columnDefinition = "TEXT")
    private String synopsis;
    @ManyToOne
    @JoinColumn(name = "content_type_id")
    private ContentType contentType;
    @ManyToOne
    @JoinColumn(name = "country_code")
    private Country countryCode;
    private String portraitUrl;
    private String landscapeUrl;
    private Boolean featured;
    @Enumerated(EnumType.STRING)
    private ContentApprovalStatus approvalStatus;
    @CreationTimestamp
    private LocalDateTime createTime;
    @UpdateTimestamp
    private LocalDateTime updateTime;
@Entity
@Data
public class ContentGenre {
    @Id
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    private Long contentId;
    @ManyToOne
    @JoinColumn(name = "content_id")
    private Content content;
    @ManyToOne
    @JoinColumn(name = "genre_id")
    private Genre genre;

}
@Entity
@Data
public class ContentLanguage {
    @Id
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    private Long contentId;
    @ManyToOne
    @JoinColumn(name = "content_id")
    private Content content;
    @ManyToOne
    @JoinColumn(name = "language_id")
    private Language language;

}

So, you just need ContentCrews to manage content and crews. If you want to get content by crew or get crew by content, jut use ContentCrew table and delete fetchType.LAZY.

public class ContentCrew {
    @Id
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    private Long id;
    @JoinColumn(name = "content_id")
    private Content content;
    @JoinColumn(name = "crew_id")
    private Crew crew;
    private String role;
}

This is the easiest manage entity for you...

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @OneToMany
  • User mentioned (0): @OneToOne
  • User mentioned (0): @ManyToMany
  • User mentioned (0): @OneToMany
  • User mentioned (0): @OneToMany
  • Low reputation (1):
Posted by: LunaLissa

79772398

Date: 2025-09-23 08:57:40
Score: 1
Natty:
Report link

the warning errors that you are observing in the logs are related to the JFConnect microservice in the Artifactory. The JFConnect is trying to communicate with the https://jes.jfrog.io/api/v1/register, and it is returning connection refused. Since you are using a proxy, you may specify the proxy configuration as below :

For Helm -

jfconnect:
   # Configure only if you use an Artifactory version before 7.77.
   extraEnvironmentVariables:
   - name: http_proxy
     value: http://<proxy URL>/
   - name: https_proxy
     value: http://<proxy URL>/
   - name: no_proxy
     value: localhost,127.0.0.1

other installation types - add the following configuration in system.yaml file -

jfconnect:
    # Configure only if you use an Artifactory version before 7.77.
    env:
        http_proxy: "http://<proxy URL>"
        https_proxy: "http://<proxy URL>"
        no_proxy: “localhost, 127.0.0.1”

check this article for more information ! https://jfrog.com/help/r/jfrog-installation-setup-documentation/jfconnect-microservice

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

79772391

Date: 2025-09-23 08:52:39
Score: 2
Natty:
Report link

Found what was wrong :
in the primary request for obtaining a token, header returned was in lower-case : x-subject-token but for deleting it, it must be 'word capitalized' : X-Subject-Token

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Denis.A