79408928

Date: 2025-02-03 13:17:58
Score: 1
Natty:
Report link

After some testing of Saullo G. P. Castro's answer I've found

I described both in the GIST of LuizFelippe mentioned in the comments of Saullo G. P. Castro's answer. However, the GIST seems to be inactive, so I decided to post an answer here given that I also do not have enough reputation for a comment yet.

Inefficient computation of the determinant of the factor L

There is a tiny improvement possible, which I found out during debugging and from the SuperLU documentation which states that the matrix L is unit lower triangular, i.e., its main diagonal is a vector of ones: image

So in principle, it should be possible to drop all the terms involving L because the sign will always be +1.0 and the logarithm of the respective product will be 0.0.

Bug in sign computation

Since only the row permutations but not the column permutations were included in the proposed code, there was a 50% chance for a wrong sign in the determinant (since the permutation matrices have a determinant of either +1 or -1 which leaves a 50/50 chance for a product of two such matrices to be +1 and -1, respectively). Even though there are tests mentioned in the GIST, this failed for me the first time I ran the code.

The column permutations can be included in the exact same way as the row computations, so the fixed code is given by the following. When the line marked with <-- 📣 is uncommented, this yields the original approach where the column permutations are not considered.

### Imports ###

import numpy as np
from scipy.sparse import linalg as spla

### Functions ###


def sparse_slogdet_from_superlu(splu: spla.SuperLU) -> tuple[float, float]:
    """
    Computes the sign and the logarithm of the determinant of a sparse matrix from its
    SuperLU decomposition.

    References
    ----------
    This function is based on the following GIST and its discussion:
    https://gist.github.com/luizfelippesr/5965a536d202b913beda9878a2f8ef3e

    """

    ### Auxiliary Function ###

    def minimumSwaps(arr: np.ndarray):
        """
        Minimum number of swaps needed to order a permutation array.

        """
        # from https://www.thepoorcoder.com/hackerrank-minimum-swaps-2-solution/
        a = dict(enumerate(arr))
        b = {v: k for k, v in a.items()}
        count = 0
        for i in a:
            x = a[i]
            if x != i:
                y = b[i]
                a[y] = x
                b[x] = y
                count += 1

        return count

    ### Main Part ###

    # the logarithm of the determinant is the sum of the logarithms of the diagonal
    # elements of the LU decomposition, but since L is unit lower triangular, only the
    # diagonal elements of U are considered
    diagU = splu.U.diagonal()
    logabsdet = np.log(np.abs(diagU)).sum()

    # then, the sign is determined from the diagonal elements of U as well as the row
    # and column permutations
    # NOTE: odd number of negative elements/swaps leads to a negative sign
    fact_sign = -1 if np.count_nonzero(diagU < 0.0) % 2 == 1 else 1
    row_sign = -1 if minimumSwaps(splu.perm_r) % 2 == 1 else 1
    col_sign = -1 if minimumSwaps(splu.perm_c) % 2 == 1 else 1
    # col_sign = 1 # <-- 📣 If this is uncommented, this produces the `perm_r`-only code
    sign = -1.0 if fact_sign * row_sign * col_sign < 0 else 1.0

    return sign, logabsdet

I implemented a more extensive test against numpy.linalg.slogdet (takes 5 to 10 minutes on an M4 MacBook Pro). It tests at least 10 matrices for every given row/column count between 50 and 1000 to ensure consistency and not just lucky shots. Since we do not want to test SuperLU's ability to solve random sparse matrices which can be ill-conditioned, a matrix that cannot be solved will be regenerated in a random fashion.

While this test passes ✅ with the suggested fix (the line with <-- 📣 is left commented), it fails ❌ on the first attempt when using the original code (the line with <-- 📣 is active).

### Tests ###

if __name__ == "__main__": 

    # Imports
    import numpy as np
    import scipy.sparse as sprs
    from scipy.sparse.linalg import splu as splu_factorize
    from tqdm import tqdm

    # Setup of a test with random matrices
    np.random.seed(42)
    # n_rows = np.random.randint(low=10, high=1_001, size=20)
    density = 0.5  # chosen to have a high probability of a solvable system
    n_rows = np.arange(50, 1001, dtype=np.int64)

    # Running the tests in a loop
    for index in tqdm(range(0, n_rows.size)):
        m = n_rows[index]
        num_tests_passed = 0
        num_attempts = 0
        failed = False

        while num_tests_passed < 10:
            # a random matrix is generated and if the LU decomposition fails, the
            # test is repeated (this test is not there to test the LU decomposition)
            num_attempts += 1
            matrix = sprs.random(m=m, n=m, density=density, format="csc")
            try:
                splu = splu_factorize(matrix)
            except RuntimeError:
                tqdm.write(
                    f"Could not factorize matrix with shape {m}x{m} and density "
                    f"{density}"
                )

                if num_attempts >= 100:
                    tqdm.write(
                        f"Could not generate a solvable system for matrix with shape "
                        f"{m}x{m}"
                    )
                    failed = True
                    break

                continue

            # first, the utility function is used to compute the sign and the log
            # determinant of the matrix
            sign, logabsdet = sparse_slogdet_from_superlu(splu=splu)
            # then, the sign and the log determinant are computed by NumPy's dense
            # log determinant function for comparison
            sign_ref, logabsdet_ref = np.linalg.slogdet(matrix.toarray())

            # the results are compared and if they differ, the test is stopped
            # with a diagnostic message
            if not (
                np.isclose(sign, sign_ref) and np.isclose(logabsdet, logabsdet_ref)
            ):
                print(
                    f"Failed for matrix with shape {m}x{m}: "
                    f"sign: {sign} vs. {sign_ref} and "
                    f"logabsdet: {logabsdet} vs. {logabsdet_ref}"
                )
                failed = True
                break

            # if the test is successful, the loop is continued with the next iteration
            del splu
            num_tests_passed += 1

        if failed:
            break
Reasons:
  • RegEx Blacklisted phrase (1.5): do not have enough reputation
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: MothNik

79408922

Date: 2025-02-03 13:12:57
Score: 3
Natty:
Report link

. . Download "file manager +" (i'ts free in google play) move to your file, select your file, go to the 3dotts, 'open with' and choose yor browser.

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

79408921

Date: 2025-02-03 13:12:57
Score: 3.5
Natty:
Report link

Clearly the complex data sets don't match up with the 3d models proposed by this code, sorry. Any decently versed coder would obviously know about this.

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

79408913

Date: 2025-02-03 13:09:56
Score: 5.5
Natty:
Report link

I an using spring boot 3.2.10 and io.micrometer:micrometer-tracing-bridge-otel, @Scheduled is sill using same traceId all the time. Help please. @Jonatan Ivanov

Reasons:
  • RegEx Blacklisted phrase (1.5): Help please
  • Low length (1):
  • No code block (0.5):
  • User mentioned (1): @Scheduled
  • User mentioned (0): @Jonatan
  • Single line (0.5):
  • Low reputation (1):
Posted by: bir

79408903

Date: 2025-02-03 13:06:55
Score: 1.5
Natty:
Report link

I found this answer:

\PhpOffice\PhpWord\Settings::setOutputEscapingEnabled(true);
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
Posted by: Cymro

79408901

Date: 2025-02-03 13:06:54
Score: 4.5
Natty:
Report link

series-line. symbol = 'emptyCircle'

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

79408888

Date: 2025-02-03 13:02:53
Score: 3
Natty:
Report link

To download files directly on download folder without any permission you can go with Android Download manager

eia_flutter_download_manager

Thanks you!!!

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Eia Tech

79408887

Date: 2025-02-03 13:02:53
Score: 2
Natty:
Report link

I believe this issue might be caused by a glitch in Xcode. There is no functional difference between a manually packed XCFramework and one generated by Xcode, yet some manually packed frameworks fail to work as expected.

I encountered the exact same problem while trying to package vendor-provided static libraries into XCFrameworks. Some libraries worked perfectly on the first attempt, while others consistently failed. After some experimentation, I discovered that copying the modulemap from a working XCFramework to the non-working ones resolved the issue. Suddenly, everything started working as intended.

For reference, I’ve shared my working setup for the WechatOpenSDK XCFramework here: WechatOpenSDK. Feel free to check it out if you’re facing similar issues.

Reasons:
  • Blacklisted phrase (0.5): check it out
  • Long answer (-0.5):
  • No code block (0.5):
  • Me too answer (2.5): facing similar issue
  • High reputation (-1):
Posted by: Ji Fang

79408875

Date: 2025-02-03 12:58:52
Score: 2
Natty:
Report link

You can check your quota utilization percentage on the Google Cloud Developer Console, after selecting your API from the dropdown list (pay attention to the difference between Places API and Places API New). In the utilization graph menu (the rightmost column in the table), you can even set up a custom date range (default is 1 day).

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

79408871

Date: 2025-02-03 12:57:51
Score: 3.5
Natty:
Report link

put the fetch in a useEffect and store it in a state

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

79408868

Date: 2025-02-03 12:56:51
Score: 2
Natty:
Report link

Use task {}

inside refreshable , as the refreshable task gets cancelled after refresh is completed

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

79408852

Date: 2025-02-03 12:49:50
Score: 3
Natty:
Report link

In short, add the image name to your manifest android:icon="@mipmap/appicon" part from AndroidManifest.xml Upload the appicon and replace it with the image name

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

79408839

Date: 2025-02-03 12:43:49
Score: 0.5
Natty:
Report link

Your design looks pretty good overall, but here are a couple of things to check:

  1. Person Table:

Using Person_ID as the primary key is spot on. The Company_ID as a foreign key makes sense too, since each person is linked to a company. Company Table:

  1. Company_ID is correctly set as the primary key. However, the Invoice_ID being in the Company table is a bit unusual unless each company only gets one invoice. If it’s a one-to-one relationship, that’s fine, but if companies can have multiple invoices, you might want to move the Invoice_ID to the Invoice table itself. Invoice Table:

  2. The Invoice_ID as the primary key is good, and the Summary_ID and Detailed_ID as foreign keys make sense. Just a thought, though: since the invoice is broken into sections, you might want to make sure these two foreign keys are indeed related directly to the invoice. If you’re thinking of splitting the sections out to their own tables, that could change the structure a little. Summary and Detailed Tables:

  3. Summary_ID and Detailed_ID are fine as primary keys. Linking Detailed_ID to Person_ID makes sense, since the detailed section includes individual person details.

Your foreign keys look solid. Just make sure that if each company has multiple invoices, you’ll need to adjust the design a bit to reflect that properly (maybe move the foreign key to the Invoice table). If it’s only one invoice per company, you’re good to go.

Also, consider adding cascading rules for deletes/updates to maintain data integrity in case a record is removed or changed.

Otherwise, everything looks pretty fine from my point of view.

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

79408830

Date: 2025-02-03 12:42:49
Score: 3.5
Natty:
Report link

For projects using the Cosmos Virtual File System (abbr. VFS) directly, we recommend you use System.IO methods where possible.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: 김도영

79408824

Date: 2025-02-03 12:41:48
Score: 3.5
Natty:
Report link

Możesz wyjaśnić wszystkie punkty od początku, bo nie wiem co ci Ola wysłała.

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

79408822

Date: 2025-02-03 12:40:48
Score: 3.5
Natty:
Report link

Clearing my browser's cache fixed this for me.

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

79408818

Date: 2025-02-03 12:39:48
Score: 1
Natty:
Report link

As @sorin stated, it does not work for env variable at the same level, but it does work if you reuse a top level env variable in a lower level env variable definition:

env:
  SOME_GLOBAL_VAR: 1.0.0
jobs:
  build:
    name: My build
    env:
      SOME_BUILD_VAR: "${{ env.SOME_GLOBAL_VAR }}-build"
    steps:
      - name: My step
        env:
          SOME_STEP_VAR: "${{ env.SOME_GLOBAL_VAR }} ${{ env.SOME_BUILD_VAR}} step 1"
        run:
          ...
Reasons:
  • Has code block (-0.5):
  • User mentioned (1): @sorin
  • Low reputation (0.5):
Posted by: Flo

79408817

Date: 2025-02-03 12:38:48
Score: 1
Natty:
Report link

thanks to @C3row I got to the solution of this.

Qualtrics.SurveyEngine.addOnReady(function()
{
    /*Place your JavaScript here to run when the page is fully displayed*/

var base_element = document.querySelector(".QuestionOuter");
base_element.insertAdjacentHTML('afterbegin', '<div id="sticky_vid" style="position: sticky; top:0;" align="middle">');

var new_element = document.querySelector("#sticky_vid");

// Change the text below to add the element of your choice
new_element.innerHTML = `<div class="QuestionText BorderColor"><p align="left">
<br>
Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.<br>
&nbsp;
<table border="1" cellpadding="1" cellspacing="1" style="width:1000px;">
    <thead>
        <tr>
            <th scope="col" style="padding: 1px;">Some text</th>
            <th scope="col" style="padding: 1px;">&nbsp;Project A</th>
            <th scope="col" style="padding: 1px;">Project B (some more info)</th>
        </tr>
    </thead>
    <tbody>
        <tr>
            <th scope="row" style="padding: 1px;">More text</th>
            <td style="padding: 1px;">Lorem ipsum dolor sit amet, consectetur adipiscing elit</td>
            <td style="padding: 1px;">ELorem ipsum dolor sit amet, consectetur</td>
        </tr>
        <tr>
            <th scope="row" style="padding: 1px;">Lorep 1</th>
            <td style="padding: 1px;">Lorem ipsum dolor sit amet, consectetur</td>
            <td style="padding: 1px;">orem ipsum dolor sit amet, consectetur</td>
        </tr>
        <tr>
            <th scope="row" style="padding: 1px;">Even more text&nbsp;</th>
            <td style="padding: 1px;">Required behavioral<br>
            adoption</td>
            <td style="padding: 1px;">Encroaching on the land&nbsp;and rights of local communities, labour right violations</td>
        </tr>
        <tr>
            <th scope="row" style="padding: 1px;">Some numbers</th>
            <td style="padding: 1px;">32</td>
            <td style="padding: 1px;">32</td>
        </tr>
    </tbody>
</table>
<br>
We now ask you several questions on these proposed projects.<br> </p>
&nbsp;</div>`
;

// This is important, otherwise, the element you add will be at the back
base_element.style.zIndex = 1;
new_element.style.zIndex = 10;

});

Reasons:
  • Blacklisted phrase (0.5): thanks
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @C3row
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: canIchangethis

79408804

Date: 2025-02-03 12:30:46
Score: 1
Natty:
Report link

As @lyzlisa stated, it does not work for env variable at the same level, but it does work if you reuse a top level env variable in a lower level env variable definition:

env:
  SOME_GLOBAL_VAR: 1.0.0
jobs:
  build:
    name: My build
    env:
      SOME_BUILD_VAR: "${{ env.SOME_GLOBAL_VAR }}-build"
    steps:
      - name: My step
        env:
          SOME_STEP_VAR: "${{ env.SOME_GLOBAL_VAR }} ${{ env.SOME_BUILD_VAR}} step 1"
        run:
          ...
Reasons:
  • Has code block (-0.5):
  • User mentioned (1): @lyzlisa
  • Low reputation (0.5):
Posted by: Flo

79408801

Date: 2025-02-03 12:29:45
Score: 2
Natty:
Report link

dokładnie to co ola wysłała mi. brakuje pkt 8. utwórz nową funkcję ktora zwolni pamięć tablicy dynamiucznej zaalokowanej na 1 polu zmiennej strukturalnej struktury "wektor". samodzielnie ustal argumenty i typ funkcji 9. zapisz zmienną strukturalną z punktu 2 do jednego pliku np. "w1.csv" używając funkcji z punktu 6. 10. na końcu programu zwolnij pamięć z obu zmiennych strukturalnych z punktu 2, używając funkcji z punktu 7

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

79408800

Date: 2025-02-03 12:28:45
Score: 4.5
Natty:
Report link

What are you trying to achieve? If you want to get your user name you need to add --get there are some example here

How do I show my global Git configuration?

also check the docs here

https://git-scm.com/book/be/v2/Customizing-Git-Git-Configuration

The syntax without the comma is the correct one

Reasons:
  • Blacklisted phrase (1): How do I
  • Probably link only (1):
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): What are you
  • Low reputation (0.5):
Posted by: Dinkelborg

79408796

Date: 2025-02-03 12:25:44
Score: 3.5
Natty:
Report link

Facing same issue

Could not resolve all files for configuration ':app:debugRuntimeClasspath'. Failed to transform error_prone_annotations-2.36.0.jar (com.google.errorprone:error_prone_annotations:2.36.0) to match attributes {artifactType=android-dex, asm-transformed-variant=NONE, dexing-enable-desugaring=true, dexing-enable-jacoco-instrumentation=false, dexing-is-debuggable=true, dexing-min-sdk=24, org.gradle.category=library, org.gradle.libraryelements=jar, org.gradle.status=release, org.gradle.usage=java-runtime}.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Me too answer (2.5): Facing same issue
  • Low reputation (1):
Posted by: Ch Altaf

79408795

Date: 2025-02-03 12:24:44
Score: 1.5
Natty:
Report link

Here if you booking.rate_per_hour is undefined or null or 0 it will not display "/hr" so firstly check if the booking.rate_per_hour get proper value or not

Additionally, see whether the component renders first and the booking receives the value; if so, it will take an undefined value, so you'll need to render that field again to get the proper output

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

79408776

Date: 2025-02-03 12:17:43
Score: 0.5
Natty:
Report link

big thanks to TomasVotruba found another solution by getting array with nodeFinder and then transformConcatToStringArray()

$array = $this->nodeFinder->findFirstInstanceOf($node, Array_::class);
$class_args = [];
$class_items = new Array_();
foreach ($array->items as $arrayItem) {
    $arr_key_name = $arrayItem->key->value;
    if($arrayItem->value instanceof Concat){
        $class_array = $this->NodeTransformer->transformConcatToStringArray($arrayItem->value);
        foreach ($class_array->items as $key_row => $row){
            if($row->value instanceof Variable)
                continue;
            if(count($class_array->items) > $key_row && $class_array->items[$key_row+1]->value instanceof Variable){
                $class_items->items[] = new ArrayItem(new Concat($row->value, $class_array->items[$key_row+1]->value));
                continue;
            }
            $class_items->items[] = new ArrayItem($row->value);
        }
        $class_args[] = new Arg($class_items);
        $new_function = new MethodCall($new_function, $arr_key_name, $class_args);
    }
}

<?php echo html()->button('<i class="fa ' . $actionBtnIcon . '" aria-hidden="true"></i> ' . $btnSubmitText)->type(['button'])->id(['confirm'])->class(['btn', 'btn-' . $modalClass, 'pull-right', 'btn-flat']) ?>

Reasons:
  • Blacklisted phrase (0.5): thanks
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Dmitry Vasilyev

79408775

Date: 2025-02-03 12:16:42
Score: 2
Natty:
Report link

I prefer using helper methods and setting cookies for parents of nested objects. Current_user Current_company Current_invoice ect...

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

79408764

Date: 2025-02-03 12:11:41
Score: 2.5
Natty:
Report link

Yes, there is a significant difference between setting an element's innerHTML directly and using the dangerouslySetInnerHTML property in React. These differences are primarily related to security, React's rendering behavior, and how the DOM is updated.

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

79408758

Date: 2025-02-03 12:10:40
Score: 2.5
Natty:
Report link

The hostname should be different cause the localhost inside of a docker container is referring to the docker container itself, and if you want to make sure that your Eureka is visible by other containers(your microservices) you can set up a network and bind you Eureka server to 8761:8761

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

79408757

Date: 2025-02-03 12:10:40
Score: 1.5
Natty:
Report link

It seems that it's coming from hline() when passing -CMFLib.* price parameters (which accepts an input int/float). Perhaps, you can export negative float values.

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

79408744

Date: 2025-02-03 12:06:39
Score: 1
Natty:
Report link

In trying to narrow down the problem, I realized that there's probably a problem with Java and the (latest? version of) MacOS. Indeed, the following snippet seems to indicate that not all Locale's work. In this case, Locale.FRANCE doesn't work (the “Cancel”, “No”, “Yes” buttons remain in English), whereas Locale.GERMANY does. The initial problem I described may be related to this.

import java.util.Locale;
import javax.swing.JOptionPane;

public class Test {
    public static void main(String[] args) {
        
        //Locale.setDefault(Locale.FRANCE); // Doesn't work
        Locale.setDefault(Locale.GERMANY); // Works !
        
        JOptionPane.showConfirmDialog(null, "Message");
    }

}
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Bart Jourquin

79408743

Date: 2025-02-03 12:05:38
Score: 11.5 🚩
Natty: 4.5
Report link

Has anyone found solution for this? i am facing same issue.

Reasons:
  • Blacklisted phrase (2): anyone found
  • RegEx Blacklisted phrase (3): Has anyone found
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): i am facing same issue
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Aswin Manoharan

79408723

Date: 2025-02-03 12:00:36
Score: 1
Natty:
Report link

you don't need to specify clientId in your case

Reasons:
  • Whitelisted phrase (-1): in your case
  • Low length (1.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: jovani

79408722

Date: 2025-02-03 12:00:35
Score: 5.5
Natty:
Report link

Bra att veta! Men en noob fråga, vad är my eclipse för något?

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

79408719

Date: 2025-02-03 11:59:34
Score: 4
Natty:
Report link

I have been looking into the same issue and found this discussion to be helpful.

https://github.com/TanStack/table/discussions/2233

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

79408718

Date: 2025-02-03 11:58:33
Score: 1
Natty:
Report link

You can also update your Test Project to target multiple frameworks by replacing

<TargetFramework>net6.0</TargetFramework>

with

<TargetFrameworks>net6.0;net8.0</TargetFrameworks>

When you do that, then a set of tests is created and run for each framework.

enter image description here

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

79408715

Date: 2025-02-03 11:58:33
Score: 0.5
Natty:
Report link

It's always better to use the plural form when doing that, because it corresponds to the table name, when you use the singualr form, rails assigns an alias so in your example it becomes,

INNER JOIN roles role ON role.user_id = users.id

See what happened there? it became an alias of the actual table name. Hope this answers your main question.

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

79408712

Date: 2025-02-03 11:55:33
Score: 0.5
Natty:
Report link

Use Help > Install from Catalog... - this will bring up the Marketplace dialog you're looking for.

We renamed this menu item in MyEclipse several years ago due to different installation options available within MyEclipse. Hope this helps!

Reasons:
  • Whitelisted phrase (-1): Hope this helps
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Brian Fernandes

79408709

Date: 2025-02-03 11:55:33
Score: 1
Natty:
Report link

if i have a file descriptor duplicated (both point to the same resource), is that thread safe to perform close of each respective fd in different threads?

yes

There is a refcount used to release a resource at the last close, but is that access thread safe?

yes

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • High reputation (-2):
Posted by: KamilCuk

79408708

Date: 2025-02-03 11:54:32
Score: 4
Natty:
Report link

convert javascript to angular is to do so i created a project and deployed it on github you can directly see my Project from here https://aniketwork775.github.io/d3-chart/#/ and if you want my code you can access it with below link https://github.com/Aniketwork775/d3-chart/blob/main/src/app/tree-chart/vertical-layout/vertical-layout.component.ts

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

79408706

Date: 2025-02-03 11:54:32
Score: 0.5
Natty:
Report link

Follow the following examples retrieved from here

import matplotlib.pyplot as plt
import numpy as np

# Simple data to display in various forms
x = np.linspace(0, 2 * np.pi, 400)
y = np.sin(x ** 2)

plt.close('all')

# Four axes, returned as a 2-d array
f, axarr = plt.subplots(2, 2)

axarr[0, 0].plot(x, y)
axarr[0, 0].set_title('Axis [0,0]')

axarr[0, 1].scatter(x, y)
axarr[0, 1].set_title('Axis [0,1]')

axarr[1, 0].plot(x, y ** 2)
axarr[1, 0].set_title('Axis [1,0]')

axarr[1, 1].scatter(x, y ** 2)
axarr[1, 1].set_title('Axis [1,1]')

# Fine-tune figure; hide x ticks for top plots and y ticks for right plots
plt.setp([a.get_xticklabels() for a in axarr[0, :]], visible=False)
plt.setp([a.get_yticklabels() for a in axarr[:, 1]], visible=False)

enter image description here

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

79408699

Date: 2025-02-03 11:51:31
Score: 3
Natty:
Report link

Please, follow below link for solve ionic splash screen issue and if still got issue let me know. https://stackoverflow.com/a/78987491/19523891

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Utsav Sheta

79408693

Date: 2025-02-03 11:49:31
Score: 3.5
Natty:
Report link

Glassfish-web.xml file is not available in my project. I have server.xml file, how can I configure to access files outside web context

Reasons:
  • Blacklisted phrase (0.5): how can I
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: techie

79408691

Date: 2025-02-03 11:46:30
Score: 2.5
Natty:
Report link

You can find some info on how to download a chart as an image in the following link: https://www.restack.io/docs/superset-knowledge-superset-download-image-api Hope it works!

Reasons:
  • Whitelisted phrase (-1): Hope it works
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: David Fuentes Martín

79408690

Date: 2025-02-03 11:46:30
Score: 1
Natty:
Report link

To resolve the "Table doesn't exist" error during the MySQL upgrade I think you should follow below steps:

Run a Repair on Corrupted Tables: Use the mysqlcheck command to repair any corrupted tables before upgrading. Run the following command because this will check and repair any issues with the tables across all databases.

mysqlcheck -u root -p --all-databases --repair

Check for Missing Tables: Ensure that the table causing the error isn't missing or dropped. If it's important and missing, try restoring it from a backup, and if the tables are still corrupted and cannot be repaired using the above steps, in that case you can try Stellar Repair for MySQL because it’s a reliable tool that can fix corrupt .frm and .ibd files, and recover all your data without any loss.

Tip: Once the issue is resolved and the tables are repaired, rerun the pre-checks and proceed with the upgrade.

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

79408684

Date: 2025-02-03 11:44:29
Score: 2
Natty:
Report link

I know this sounds silly but my problem is that i forgot that my phone is connected via USB to the pc and i forgot about it, i removed it and it worked

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

79408677

Date: 2025-02-03 11:41:28
Score: 1.5
Natty:
Report link

I have posted the same question myself, where my view snaps after the keyboard fully opens.

Unexpected behavior with imePadding causing it to be applied after the keyboard animation

Turns out this only happens when i'm running the app from android studio. When i build it for the app store its smooth and okay.

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

79408675

Date: 2025-02-03 11:41:28
Score: 4.5
Natty: 5.5
Report link

does skibidi.py work

rrrrrrrrrrrrrrrrrrrrrrrrrrrrr

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Has no white space (0.5):
  • Filler text (0.5): rrrrrrrrrrrrrrrrrrrrrrrrrrrrr
  • Low reputation (1):
Posted by: user29481431

79408674

Date: 2025-02-03 11:39:27
Score: 5.5
Natty:
Report link

This is a common problem and often arises due to incompatible VS code and/or WSL version.

It might be that you are using an old version of VS Code. Can you share which versions of VS code and WSL are you using.

Please try upgrading to the latest version and checking whether this issue remains.

ALSO : Can you double check if the file exists in this location?

Reasons:
  • RegEx Blacklisted phrase (2.5): Can you share
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: Naveed Ahmed

79408664

Date: 2025-02-03 11:36:26
Score: 3
Natty:
Report link

Open RDLC report

  1. select "the group" under "Row Groups"
  2. Expand "Group->Page Break" in "Properties" window
  3. set "ResetPageNumber" property to "True"
Reasons:
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Haroon ur Rasheed

79408661

Date: 2025-02-03 11:35:26
Score: 1.5
Natty:
Report link

The OMDb API does not provide a full list of all movies in its database. Instead, it allows you to search for movies based on keywords, titles, or IMDb IDs. You can retrieve data using the API's search functionality, but it will only return paginated results.

If you need a large movie dataset, you may consider:

  1. IMDb Datasets (IMDb Datasets)
  2. TheMovieDB API (TMDB)
Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Shubham Sharma

79408660

Date: 2025-02-03 11:35:26
Score: 3
Natty:
Report link

because you use wrong manual calculation formula instead of using 100-(prev/current*100) u should use ((current-prev)/prev)*100. then it will be same with Pandas .pct_change()

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

79408658

Date: 2025-02-03 11:33:26
Score: 1
Natty:
Report link

Try copy-paste and run this in Powershell:

Set-ExecutionPolicy -Scope CurrentUser -ExecutionPolicy Unrestricted
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: StephanT

79408656

Date: 2025-02-03 11:33:25
Score: 9.5 🚩
Natty: 6.5
Report link

Do you got any solution?, getting same issue in java. Using chromium and tried changing font also

Reasons:
  • Blacklisted phrase (1.5): any solution
  • RegEx Blacklisted phrase (2): any solution?
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): getting same issue
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Shubham Patidar

79408653

Date: 2025-02-03 11:33:24
Score: 0.5
Natty:
Report link

Source: tailwindlabs/tailwindcss #15792

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

79408645

Date: 2025-02-03 11:30:23
Score: 4
Natty:
Report link

Maybe try this. Program.cs :

Program.cs

and in your page: Add script from RCL

This script is from an RCL I published as a Nuget package.

Extra bonus: If you need to use pages from an RCL you will need to declare them to the router.

Routes.cs:

Routes.cs

If this doesn't work, please share your code.

Reasons:
  • Whitelisted phrase (-1): try this
  • RegEx Blacklisted phrase (2.5): please share your code
  • Probably link only (1):
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Julien

79408633

Date: 2025-02-03 11:28:22
Score: 2
Natty:
Report link

Use PowerToys for Windows

open PowerToys settings -> Input / Output -> Keyboard Manager -> Remap a key

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

79408632

Date: 2025-02-03 11:27:22
Score: 3
Natty:
Report link

SonarQube PR decoration will show a summary of the issues in your Conversation and Checks panel (by default). No inline information in GitHub UI.

https://docs.sonarsource.com/sonarqube-server/8.9/alm-integration/github-integration/#adding-pull-request-decoration-to-a-manually-created-or-existing-project

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

79408626

Date: 2025-02-03 11:24:21
Score: 1
Natty:
Report link

If you are using a button element, do as follows:

<router-link :to="`/`">
  <button>Go Home</button>
</router-link>

Consider using backtick inside the value of to attribute.

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

79408620

Date: 2025-02-03 11:23:21
Score: 1.5
Natty:
Report link

The answer for me on Windows was: ALT + F10.

Couldn't find Run | Show Execution Point.

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

79408610

Date: 2025-02-03 11:19:20
Score: 2
Natty:
Report link

Yes, you can use EntraID with the Community Build https://docs.sonarsource.com/sonarqube-community-build/instance-administration/authentication/overview/

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

79408604

Date: 2025-02-03 11:17:19
Score: 4
Natty:
Report link

The parser is also part of this project that I've just published https://ameros.github.io/gedcom-svg-tree/

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

79408600

Date: 2025-02-03 11:15:18
Score: 2.5
Natty:
Report link

Things have evolved since the last answer. If your template path is well formatted you will see a "View template link". Simply click on it and Azure DevOps will open the template in another tab of your browser.

enter image description here

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

79408595

Date: 2025-02-03 11:14:18
Score: 3.5
Natty:
Report link

i have found an amazing platform for movies and and you can watch premium content for free movies streaming app.

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

79408587

Date: 2025-02-03 11:12:17
Score: 1
Natty:
Report link

Let me describe how I would proceed with this (tried with Checkbox6 and it seems to work).

  1. Modify the template in Adobe LiveCycle Designer by binding Checkpoint6 to somtehing like $record.us-ids-certification.us-ident.boilerplate-text LC Designer
  2. Add <us-ident boilerplate-text="1"/> into data xml file under us-ids-certification tag.
  3. Process with iText pdfXFA 5.0.0 on java or dotnet (I didn't try with itextsharp but might also work).

This will be the result: flattened result

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

79408584

Date: 2025-02-03 11:10:17
Score: 1
Natty:
Report link
  1. Make shure all your packages have the same php version:

    yum list installed php

  2. Remove 81 packages if you are switching to php8.3

  3. Note that minor packages version also have to match:

    yum list installed php

    php-xml.x86_64 8.3.15-1.red80 @php83

    php83-php-gd.x86_64 8.3.8-1.el7.remi

  4. Find and remove extra repository

    yum repolist

php83

remi

rm /etc/yum.repos.d/remi-*.repo
  1. Reinstall not matching packages

    yum remove php83-php-pecl-igbinary

    dnf install php83-php-pecl-igbinary

Reasons:
  • Has code block (-0.5):
  • User mentioned (1): @php83
  • Low reputation (0.5):
Posted by: uBaH

79408580

Date: 2025-02-03 11:09:16
Score: 2
Natty:
Report link

Here is a project that contains many of the coding patterns you are looking for,

https://github.com/burakbayramli/webfilebrowser

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

79408575

Date: 2025-02-03 11:07:16
Score: 4.5
Natty: 5
Report link

Still this extension is not available on windows: https://www.php.net/manual/en/pcntl.installation.php

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

79408567

Date: 2025-02-03 11:05:15
Score: 2.5
Natty:
Report link

In the document named MF1S70YYX_V1 in section 8.7.2, you have a table with the access byte configuration information, from 6 to 9. There it explains the different values to make key b not visible.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Ignacio Dávila

79408551

Date: 2025-02-03 10:57:13
Score: 1
Natty:
Report link

You don't need a pivot at all. You could use dplyr select:

wt.SE = input.ds.wt %>% select(starts_with("wt.SE"))
wt.mean = input.ds.wt %>% select(starts_with("wt.mean"))
rse = wt.SE / wt.mean
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: J Suay

79408529

Date: 2025-02-03 10:49:11
Score: 4
Natty: 4
Report link

мне дали бан по ошибки, когда меня проверяли нашли миникарту но я с ней не играю 2 месяца, и решили что я вчера с ней заходил в 15.45, мой ник humster_krimenal играл на анке 307. думаю что меня разбанят потому что я с миникартой не играл

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • No latin characters (2):
  • Low reputation (1):
Posted by: Денис Иванов

79408525

Date: 2025-02-03 10:46:10
Score: 2.5
Natty:
Report link

Figured it out trying to write this, but if anyone have the same issue, the key is in the group.index, and using .loc not .iloc

for name, group in group_by_class:
    mask = group["child"].notna()
    parent_name = group[mask]["name"].values[0]
    print(group.index)
    df.loc[group.index, 'parents_in_group'] = parent_name
    

    
df
Reasons:
  • Has code block (-0.5):
  • Me too answer (2.5): have the same issue
  • Self-answer (0.5):
Posted by: vrghost

79408519

Date: 2025-02-03 10:44:08
Score: 6 🚩
Natty: 5.5
Report link

is there a median of an array in vba not spreadsheet ?

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): is there a me
  • Low reputation (1):
Posted by: mK_onE

79408518

Date: 2025-02-03 10:44:08
Score: 3
Natty:
Report link

Make sure animation durations are the same.

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

79408517

Date: 2025-02-03 10:43:07
Score: 3.5
Natty:
Report link
Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Yash Solanki

79408513

Date: 2025-02-03 10:42:07
Score: 1
Natty:
Report link

So two problems. first you have one } under button class that we dont need that. second is you are givving the classes wrong. its not <button class="btn, btnbox" id="rockbtn"> <div class="sign">✊</div> </button> it is <button class="btn btnbox" id="rockbtn"> <div class="sign">✊</div> </button>

without ",".

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

79408512

Date: 2025-02-03 10:42:07
Score: 1
Natty:
Report link

If you use MySQL 8.0 or later, you can use to view CHECK CONSTRAINTS:

SELECT * FROM INFORMATION_SCHEMA.CHECK_CONSTRAINTS WHERE CONSTRAINT_SCHEMA = 'your_db_name';

Reasons:
  • Whitelisted phrase (-1.5): you can use
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Milena Navarro Sánchez

79408510

Date: 2025-02-03 10:41:06
Score: 9.5 🚩
Natty: 5.5
Report link

were you able to solve this issue, or find why this was occurring?

Reasons:
  • Blacklisted phrase (1): you able to solve
  • RegEx Blacklisted phrase (3): were you able
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Rishav Dhariwal

79408500

Date: 2025-02-03 10:38:05
Score: 1.5
Natty:
Report link

Although this is a very old question, I want to add that, apart from

/private/var/mobile/Library/Logs/CrashReporter/

iOS also stores crash logs in

/private/var/containers/Shared/SystemGroup/systemgroup.com.apple.osanalytics/DiagnosticReports/

and it's where iOS's Settings app finds and shows logs in Analytics Data.

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

79408497

Date: 2025-02-03 10:38:05
Score: 2
Natty:
Report link

Actually the problem in my case is the location of the sever from where the api request is coming, because the server allow only certain countries to allow communication and send response. In localhost condition the request is coming from same country but when the api is directed through server the location of server changed to different country due to which it stop the api request with 403 error.

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

79408495

Date: 2025-02-03 10:37:04
Score: 3
Natty:
Report link

I managed to solve it. The code works, my issue lay within the deployment of the contract. I was trying to deploy to an existing address, thinking it would change the contract's state but a contract is immutable. Hence the function did not even exist on that contract, which resulted in the errors.

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

79408483

Date: 2025-02-03 10:33:03
Score: 0.5
Natty:
Report link

(...) and also the administrator of server is able to connect to the server locally there.

You have a big time difference between client and server. From the server's point of view the client is in the future.
This can cause several unwanted side effects like that a new created certificate is seen as not yet valid or getting strange timestamps.

When this test is done locally on the server machine, then it is obvious that client and server use the same system time and thus have no time discrepancy.

Fix the system time of the machine which is out of sync.
I hope this solves the source of your problems.

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

79408482

Date: 2025-02-03 10:33:03
Score: 1
Natty:
Report link

you can try to use relative path, vite build use absolute path by default, but Github Page can't solve absolute path now.

- <link rel="stylesheet" crossorigin href="/cv_wizardy/assets/index-DSvXlYyr.css">
+ <link rel="stylesheet" crossorigin href="assets/index-DSvXlYyr.css">

ref: GitHub pages and absolute paths

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

79408480

Date: 2025-02-03 10:32:03
Score: 1
Natty:
Report link

add a selectoutput block before the release and for those who will release, make them go through the block, and for the ones who don't, they will just go directly to delay1

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

79408465

Date: 2025-02-03 10:28:02
Score: 1.5
Natty:
Report link

The body must be set as a string, so one hast to write the multipart to OutputStream then call .toString() on the stream.

OutputStream outputStream = new FastByteArrayOutputStream();
multipart.writeTo(outputStream);
exchange.getIn().setBody(outputStream.toString());
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Georg Braun

79408463

Date: 2025-02-03 10:26:01
Score: 1.5
Natty:
Report link

If you're running a Magento store and need to make the tax/VAT field unique like an email during registration, it's essential for compliance and preventing duplicate entries. This is especially important for VAT Registration in UAE, where businesses must ensure each VAT number is properly validated. Implementing a uniqueness check can help streamline tax compliance and avoid errors. Consider using custom validation or an extension to enforce uniqueness in the VAT field, ensuring a smoother registration process for businesses operating under UAE tax regulations.

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

79408458

Date: 2025-02-03 10:24:01
Score: 1
Natty:
Report link

This code is enough for the navigation button in your code.

<div class="swiper-button-prev estrutura-prev" id="estrutura-prev"></div>
<div class="swiper-button-next estrutura-next" id="estrutura-next"></div>
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Shailesh

79408457

Date: 2025-02-03 10:23:01
Score: 2
Natty:
Report link

I have found a workaround in a way to use a localization vscode.l10n.bundle or vscode.l10n.uri, extract from it a needed information about current display language and even pass a ready-to-use localization vscode.l10n.bundle to WebView by webview.postMessage method.

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

79408451

Date: 2025-02-03 10:22:00
Score: 3.5
Natty:
Report link

I have this same issue, but when I give the url in beforeeach(), that will make me do, login for each it block and I don't want to do that. is there any other way to store my session.

Reasons:
  • Blacklisted phrase (1): is there any
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Lin Yue

79408446

Date: 2025-02-03 10:20:00
Score: 0.5
Natty:
Report link

I had this problem too.

SSDT is a 32-bit application, so you must register Microsoft.ACE.OLEDB.16.0 32-bit on your system. So download 32-bit accessdatabaseengine.exe from here https://www.microsoft.com/en-us/download/details.aspx?id=54920.

Then run CMD as administrator and goto downloaded accessdatabaseengine.exe folder by cd command like this:

C:\Users\RAHIMY> cd C:\Users\RAHIMY\Downloads

After all, run this command and wait a moment:

C:\Users\RAHIMY\Downloads> accessdatabaseengine.exe /quiet

Now restart your SQL Server Management Studio and now you can import your Excel files from SSMS (Right click on your Database->Tasks->Import Data...).

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

79408438

Date: 2025-02-03 10:16:59
Score: 1
Natty:
Report link

add this code to ignore all errorprone.. add it in android/build.gradle inside allprojects

`configurations.all {
        exclude group: "com.google.errorprone", module: "error_prone_annotations"
    }`
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: George Mushi

79408429

Date: 2025-02-03 10:12:58
Score: 2
Natty:
Report link

$('#register').bind('click', function () { $('#register_form').submit(); });

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

79408425

Date: 2025-02-03 10:11:58
Score: 3
Natty:
Report link

In VS 2022. Write a debug text with some special chars (Debug.WriteLine("###: ...")) then in the output window search (ctrl+f) for the special chars and select Find All option in search window. In Find All window (named Find "###") you will see only lines you want. find all

view results

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

79408422

Date: 2025-02-03 10:11:58
Score: 2
Natty:
Report link

I came to the conclusion that this is not a trivial problem to solve and that I could reach my desired end result much quicker and more easily by using an App Service Managed Certificate and thus eliminating the need for App Service to get certificates from the KV. This worked great. Not a terribly satisfying answer so if anyone comes up with something better, I'd love to hear it.

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

79408403

Date: 2025-02-03 10:05:56
Score: 3
Natty:
Report link

Thank you for your post. I have encountered a similar problem and your first solution helped. But I got another problem. Despite having implemented the following code:

options.add_experimental_option("prefs", {
    "profile.default_content_setting_values.notifications": 2
    })

after implementing experimental option with protocol_handler, a common chrome popup appears requesting permission to send notifications. Is there some conflict in options?

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Prokhorov Sergey

79408401

Date: 2025-02-03 10:05:56
Score: 2
Natty:
Report link

Found the problem. Something had updated the "objectVersion" value in the project.pbxproj to "70" which I think is not recognized by the xcodeproj yet. I set it to "60" and the error went away.

from https://github.com/CocoaPods/CocoaPods/issues/12671

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

79408398

Date: 2025-02-03 10:03:56
Score: 1
Natty:
Report link
process.env.NEXT_PUBLIC_BACKEND_BASE_URL + category.icon.url

This not going to work, because your icon is array

enter image description here

instead you should use:

process.env.NEXT_PUBLIC_BACKEND_BASE_URL + category.icon[0].url
Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
Posted by: antokhio

79408396

Date: 2025-02-03 10:02:55
Score: 1.5
Natty:
Report link

Got the issue. You need to return not only the token but the whole string in text/plain to make it work.

functions.http('groupsHttp', (req, res) => {

    let validationToken = req.query.validationToken;

    return res.set('Content-Type', 'text/plain; charset=utf-8').status(200).send(validationToken);

});
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Ben Schleef

79408395

Date: 2025-02-03 10:01:55
Score: 1
Natty:
Report link

It seems that the poor performance in real-world images is mainly due to overexposure on the keyboard and background interference (it looks like the training data has a very uniform background). In practical applications, you may first apply white balance to the image to address the overexposure issue. As for the background, you can initially use Grounding DINO + SAM2 to detect the keyboard area and then use your trained model for detection.

Regarding the model itself, the training phase seems to have performed quite well. Adding real-world data could enhance its robustness. Additionally, you might consider fine-tuning a pre-trained model like YOLO (https://docs.ultralytics.com/zh/tasks/segment/). Wishing you success in your development!

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

79408387

Date: 2025-02-03 09:59:54
Score: 2.5
Natty:
Report link

I use redux-persist for auth state persistence in AsyncStorage. I hope this is what you need.

https://github.com/rt2zz/redux-persist#readme

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

79408381

Date: 2025-02-03 09:56:53
Score: 3
Natty:
Report link

Deleting the app from the device and then running the app again solved it for me.

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

79408375

Date: 2025-02-03 09:54:53
Score: 2
Natty:
Report link

A bit strange what you are asking, or better what you state as expected result. The id value is used to check if it exists. If the value does not exist, you expect that the system returns it anyway?

If you try to test if a value exists and apply some logic in function of the boolean result, there are multiple ways to handle this:

It all depends on what you are actually trying to do.

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