79592291

Date: 2025-04-25 10:13:06
Score: 0.5
Natty:
Report link

Since as far as I could find (and based on the lack of responses) it seems like there is not a way lua filters can do this, I decided to solve this issue with Python and mark this as solved.

The workaround I could find is:

The code I used is provided below. Maybe someone finds a way to do something like this within pandoc, but as for now, this effectively solves my problem :)

import os
import re

import pypandoc

# Pre-processes a Gitlab-flavored Markdown file such that
#   - ::include directives are replaced by the actual file
#   - [[_TOC_]]

# Requires pandoc!!!
# See https://pypi.org/project/pypandoc/

pandoc_location = r'<pandoc_folder>\pandoc.exe'
input_file = r'<path_to_your_file.md>'
to_format = 'html5'

print(f'Setting pandoc location to {pandoc_location}')
os.environ.setdefault('PYPANDOC_PANDOC', pandoc_location)

current_path = __file__
current_folder, current_filename = os.path.split(current_path)
tmp_file = os.path.join(current_folder, 'tmp.md')
print(f'Using tmp. file {tmp_file}')

with open(input_file, 'r') as f:
    input_md = f.read()

print(f'Read {input_file}. Length={len(input_md)}')

input_folder, input_file = os.path.split(input_file)
input_base, input_ext = os.path.splitext(input_file)

all_matches = [re.match(r'\:\:include{file=([\W\w\.\/\d]+)}', e) for e in input_md.splitlines() ]
all_matches = [e for e in all_matches if e is not None]
for include_match in all_matches:
    include_path = include_match.group(1)
    abs_path = os.path.abspath(os.path.join(input_folder, include_path))
    print(f'Including {abs_path}')
    try:
        with open(abs_path, 'r') as f:
            include_file_content = f.read()
        input_md = input_md.replace(include_match.group(0), include_file_content)
    except Exception as e:
        print(f'Could not include file: {e}')

# Process ToC
def slugify(text):
    """Converts heading text into a GitHub-style anchor slug."""
    text = text.strip().lower()
    text = re.sub(r'[^\w\s-]', '', text)
    return re.sub(r'[\s]+', '-', text)

def strip_markdown_links(text):
    """Extracts visible text from markdown-style links [text](url)."""
    return re.sub(r'\[([^\]]+)\]\([^)]+\)', r'\1', text)

def extract_headings(markdown):
    """Extracts headings ignoring code blocks, and handles markdown links."""
    headings = []
    in_code_block = False

    for line in markdown.splitlines():
        if line.strip().startswith("```"):
            in_code_block = not in_code_block
            continue
        if in_code_block:
            continue

        match = re.match(r'^(#{1,6})\s+(.*)', line)
        if match:
            level = len(match.group(1))
            raw_text = match.group(2).strip()
            clean_text = strip_markdown_links(raw_text)
            slug = slugify(clean_text)
            headings.append((level, clean_text, slug))

    return headings

def generate_toc(headings):
    """Generates TOC from extracted headings."""
    toc_lines = []
    for level, text, slug in headings:
        indent = '  ' * (level - 1)
        toc_lines.append(f"{indent}- [{text}](#{slug})")
    return '\n'.join(toc_lines)

# Replace Gitlab's [[_TOC_]] with the actual ToC
print(f'Generating ToC from [[_TOC_]]')
headings_input = extract_headings(input_md)
toc = generate_toc(headings_input)

# The HTML output seems NOT to like it if the anchor is "#3gppsa2".
# The number "3" is lost in the HTML conversion. This should remedy this
# Please note that this "hack" results in the navigation of tmp.md being broken. But the output HTML is OK
toc = toc.replace('(#3gppsa2', '(#gppsa2')

input_md = input_md.replace('[[_TOC_]]', toc)

with open(tmp_file, 'w') as f:
    f.write(input_md)
print(f'Wrote {tmp_file}')

print(f'Converting {tmp_file} to {to_format}')
# CSS from https://jez.io/pandoc-markdown-css-theme/#usage
# https://github.com/jez/pandoc-markdown-css-theme
# Fixed title with https://stackoverflow.com/questions/63928077/how-can-i-add-header-metadata-without-adding-the-h1
# Using markdon-smart to fix wrongly-displayed single-quotes
output = pypandoc.convert_file(
    source_file='tmp.md',
    to=f'{to_format}',
    extra_args=[
        '--from=markdown-smart',
        '--standalone',
        '--embed-resources=true',
        '--css=theme.css',
        '--html-q-tags=true',
        f'--metadata=title={input_base}',
        '--variable=title='
    ])

match to_format:
    case 'html' | 'html5':
        output_ext = 'html'
    case _:
        output_ext = to_format

output_file = os.path.join(input_folder, f'{input_base}.{output_ext}')

with open(output_file, 'w') as f:
    f.write(output)
print(f'PyPandoc output saved to: {output_file}')
Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Josep

79592287

Date: 2025-04-25 10:10:06
Score: 3.5
Natty:
Report link

I don't know if you have found a solution, but for anyone who stumbled upon this question looking for an answer, try to send the header as 'Authorization: JWT your_token'

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

79592280

Date: 2025-04-25 10:06:04
Score: 0.5
Natty:
Report link

While I don't know memgraph or their particular implementation of openCypher, I might at least be able to give some potential insight regarding:

that an exists() can only take one relationship (which I thought I'd comply with)

I believe that the WHERE part in

exists((c) <-[:contains]- (center) WHERE center.name CONTAINS "special")

might be the issue, as that is something more than just a relationship.

This is based on my experience with Neo4j and their Cypher though so it might differ from memgraph, but it would be my guess at least.

As a though experiment: would it be possible to calculate all the values or at least conditions separately to the SET, to split the SET and exists call? for example calculate something in one WITH clause and use that in the SET afterwards

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

79592278

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

Try the following code and see if it works;

@media print
{
  header, footer
  {
   display: none;
  }
}
Reasons:
  • Whitelisted phrase (-1): Try the following
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Speed Ack

79592267

Date: 2025-04-25 10:00:03
Score: 1.5
Natty:
Report link

Thanks for all those details. I just had a look at your Flow, and you need to either:

Right now you've defined "error_messages" in "data", but you are not making use of it.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Diego

79592263

Date: 2025-04-25 09:58:02
Score: 1
Natty:
Report link

I have the same setup. The problem is pkginfo. I updated to version 1.12.1.2 and it fixed my problem.

pip install --upgrade pkginfo

Hopefully the twine update will come soon

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

79592248

Date: 2025-04-25 09:49:00
Score: 0.5
Natty:
Report link

For more modern C# (from version 6), you can simply use string interpolation.

Console.WriteLine($"{5488461193L:X}");

This would also work for assigning variables, etc:

var octalLong = $"{5488461193L:X}";
Reasons:
  • Low length (1):
  • Has code block (-0.5):
Posted by: nobody

79592246

Date: 2025-04-25 09:47:59
Score: 1
Natty:
Report link

I managed to work around the issue by passing the below config parameters to the boto3 client:

import boto3
from botocore.config import Config

bedrock_client = boto3.client(
            'bedrock-runtime',
            config=Config(retries={'max_attempts': 5, 'mode': 'adaptive'})
        )
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Pascal Wyler

79592240

Date: 2025-04-25 09:44:59
Score: 3.5
Natty:
Report link

Basically with the help of @Paulw11 the following I did:

Once that's added and configured it will download the profile and will load in the simulator, it also able to show the Azure B2C login.

Reasons:
  • Probably link only (1):
  • No code block (0.5):
  • User mentioned (1): @Paulw11
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Lóri Nóda

79592239

Date: 2025-04-25 09:44:58
Score: 6.5 🚩
Natty: 5.5
Report link

I have the same problem, I upgraded spring boot 3.3.4 to 3.4.3. , but my mapping is different, so the solution with CascadeType.ALL don't work :


public class Parent {
    private Long idParent;
    @OneToMany(cascade=CascadeType.REMOVE)
    @JoinColumn(name="id_parent")
    private List<child> parent = new ArrayList<>();
}

public class Child {
    @Column(name = "id_parent")
    private Long idParent;
}

I have the same problem with :


Child child = childdDao.findById(idFromFront);
Parent parent =parentDao.findById(child.getIdParent());
...some check on parent
childDao.deleteById(idChild);

The only solution found is to do "entityManager.clear();" before delete :


Child child = childdDao.findById(idFromFront);
Parent parent =parentDao.findById(child.getIdParent());
...some check on parent
entityManager.clear();
childDao.deleteById(idChild);

???

Reasons:
  • Blacklisted phrase (1): I have the same problem
  • Blacklisted phrase (1): ???
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): I have the same problem
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Simon

79592233

Date: 2025-04-25 09:41:57
Score: 1
Natty:
Report link

You can change the background color with the navBarBuilder. Thanks

navBarBuilder: (navBarConfig) => Style5BottomNavBar(
            navBarConfig: navBarConfig,
            navBarDecoration: const NavBarDecoration(
              color: Colors.black,
            ),
          ),
Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Artur

79592231

Date: 2025-04-25 09:40:57
Score: 1.5
Natty:
Report link

There is not really this "one" specification but rather a list of them. A very good source is still this book and for your question this chapter: https://books.sonatype.com/mvnex-book/reference/simple-project-sect-simple-core.html#:\~:text=Maven%20coordinates%20define%20a%20set,look%20at%20the%20following%20POM.&text=We've%20highlighted%20the%20Maven,%2C%20artifactId%20%2C%20version%20and%20packaging%20.
In general, in case of artifact identity, think more in the repository path layout that is created. This is based on literal string values and not abstract versions.

ComparableVersion is used for sorting version and version ranges, but they won't be resolved as the same artifact. As a test, create these artifacts with different numbers yourself and then look at your local repository (https://maven.apache.org/repository/layout.html). You will discover the different versions in different folders.

Reasons:
  • Probably link only (1):
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Mr__Steel

79592227

Date: 2025-04-25 09:38:56
Score: 5
Natty:
Report link

Follow this link to learn how to install and download plugin.

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

79592222

Date: 2025-04-25 09:34:54
Score: 2.5
Natty:
Report link

i'm done to tyr this but is my program not working,so i used manually installation from github and is working,why try autoload.php in file path vendor can't working on my program,something weird for my computer or that program usuatlly can't run in my computer version

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

79592212

Date: 2025-04-25 09:29:53
Score: 1.5
Natty:
Report link

worked on tinyMCE version 7.8

 tinyMCE.init({
      mode : "textareas",
      force_br_newlines : false,
      force_p_newlines : false,
      forced_root_block : '""',
  });
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: whitehawk321

79592211

Date: 2025-04-25 09:29:53
Score: 1.5
Natty:
Report link

All asserts pass on all implementations of std::span so far, but is there anything I may be missing that makes this a bug, e.g., UB?

I don't think this would be undefined behavior. After all, std::span is just a class, not part of the core language, so I think this should only be unspecified behavior.

In MSVC's implementation, span1.begin()==span2.begin() can pass the inspection in Debug mode as long as span1.data()==span2.data() && span1.size()==span2.size(),

Reasons:
  • Blacklisted phrase (1): is there any
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: 許恩嘉

79592205

Date: 2025-04-25 09:23:52
Score: 1
Natty:
Report link

Is your example code exactly what you tried? If so, then the following simple typo might be your issue:

$this->$prop = $myprop;

 // Remove the dollar sign for $this->prop
$this->prop = $myprop;
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: Teun

79592201

Date: 2025-04-25 09:23:52
Score: 2
Natty:
Report link
for d /tmp/test1 /tmp/test1/test2; do mkdir -m 550 "$d"; done
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Tomáš Pospíšek

79592200

Date: 2025-04-25 09:22:51
Score: 3
Natty:
Report link

I think it's because your webhook is a POST request and your browser access is a GET request

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

79592191

Date: 2025-04-25 09:16:50
Score: 1
Natty:
Report link

There is a newer library available for Typescript

https://www.npmjs.com/package/velocityjs

Check the directives compatability list, since it is not supporting the complete set of directives. If you need more you still should check the older library

https://www.npmjs.com/package/velocity

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

79592190

Date: 2025-04-25 09:16:50
Score: 1
Natty:
Report link

Yes, a web application can definitely handle devices—especially when it’s built on a robust ERP platform like Odoo, which is widely used in retail environments.

For example, in retail Odoo services, the web-based POS (Point of Sale) system can easily integrate with various hardware devices such as:

Odoo’s IoT Box allows seamless connection between your web-based Odoo application and physical retail devices, even if they are on different networks. This helps retail businesses operate efficiently using just a browser-based interface without compromising on device functionality.

So, to answer your question:
Yes, modern web applications like Odoo can handle devices effectively—making them a perfect fit for the retail sector.

If you're looking for a scalable Odoo retail solution with device integration, feel free to explore more at Braincrew Apps.

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

79592189

Date: 2025-04-25 09:16:50
Score: 1.5
Natty:
Report link

Your U-Net model is overfitting likely due to a limited dataset or insufficient regularization. In addition to data augmentation, try these steps:

  1. Use dropout layers in the encoder and decoder.

  2. Apply L2 regularization on convolution layers.

  3. Reduce the model complexity (e.g., fewer filters per layer).

  4. Implement early stopping based on validation loss.

  5. Consider using a pre-trained encoder (e.g., ResNet as backbone).
    Also, ensure your validation set is truly representative and not too small.

Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Jung-Yi Tsai

79592184

Date: 2025-04-25 09:13:49
Score: 0.5
Natty:
Report link

Yes, Google provides easy to use APIs that could let you add points the in the maps. See here and here for more info regarding how to use the API and some sample/starter code.

There are many ways to read and write the csv file, this (for reading ) and this (for writing) might help you based on your case.

Hope it helps.

Reasons:
  • Whitelisted phrase (-1): Hope it helps
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Naveed Ahmed

79592172

Date: 2025-04-25 09:08:47
Score: 0.5
Natty:
Report link

There were 2 issues.
First is to always renew the code that you get from https://developers.google.com/oauthplayground/ as we can only use that code once and after that it will always give 400 BAD REQUEST

Second is about RestTemplate. RestTemplate default can not handle gzip which is sent by google. so we need to use Apache HttpClient v4.

Like this:

HttpClient httpClient = HttpClients.createDefault();
ClientHttpRequestFactory requestFactory = new HttpComponentsClientHttpRequestFactory(httpClient);
RestTemplate restTemplate = new RestTemplate(requestFactory);

Import statements should be like :

import org.springframework.http.client.HttpComponentsClientHttpRequestFactory;
import org.springframework.web.client.RestTemplate;
import org.apache.hc.client5.http.classic.HttpClient;
import org.apache.hc.client5.http.impl.classic.HttpClients;

and dependency should be:

<dependency>
    <groupId>org.apache.httpcomponents.client5</groupId>
    <artifactId>httpclient5</artifactId>
</dependency>
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: user30039244

79592162

Date: 2025-04-25 09:00:45
Score: 3
Natty:
Report link

Try to host on AppServices using https://techcommunity.microsoft.com/blog/appsonazureblog/strapi-on-app-service-overview/4401396

App Services provide great way to share resources and comes with many super cool features.

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

79592161

Date: 2025-04-25 09:00:45
Score: 0.5
Natty:
Report link

I'm still testing it, but this seems to work so far:

for stream in listener.incoming(){
   ...
}
drop(listener);

does pretty much everything I need. Just putting it after the stream listener.

Per https://doc.rust-lang.org/std/net/struct.TcpListener.html
"The socket will be closed when the value is dropped."

Reasons:
  • Blacklisted phrase (0.5): I need
  • Low length (0.5):
  • Has code block (-0.5):
Posted by: lilHar

79592155

Date: 2025-04-25 08:53:43
Score: 3
Natty:
Report link

me sale este mensaje:

The method setExporterInput(SimpleExporterInput) is undefined for the type JRPdfExporter

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

79592153

Date: 2025-04-25 08:50:42
Score: 4
Natty:
Report link

For me it works fine, with the configuration you posted and GSON on the classpath, see JSON response at the bottom:

enter image description here

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

79592149

Date: 2025-04-25 08:48:42
Score: 0.5
Natty:
Report link

Just updating the weights (in Manage Form Display) seems to have fixed it for me. I thought maybe putting negative weights does the trick, and it did, but then when I updated the weights to be positive, the Save and Preview buttons still remained on the bottom.

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

79592138

Date: 2025-04-25 08:42:40
Score: 1.5
Natty:
Report link

If you are running FastAPI in pycharm, the problem might be originated because you've chosen the wrong interpreter.

As soon as you change to the one of your project, the problem goes away :-)

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

79592131

Date: 2025-04-25 08:38:39
Score: 1
Natty:
Report link
I was looking for a solution to the same issue and found the answer myself.
Write the code below.


@Id
@Column(name = "id", unique = true, nullable = false, insertable = false, updatable = false, columnDefinition = "bigint generated always as identity")
private Long id;
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Archanfel

79592124

Date: 2025-04-25 08:36:38
Score: 3.5
Natty:
Report link

Try to host on Azure App Service, they have an ARM template way to deploy that makes is super easy and quick to get started. https://techcommunity.microsoft.com/blog/appsonazureblog/strapi-on-app-service-overview/4401396

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

79592114

Date: 2025-04-25 08:32:37
Score: 1.5
Natty:
Report link
noneEuropeanDateformat = new Date(); noneEuropeanDateformat = noneEuropeanDateformat.toLocaleDateString(); soonEuropeanDateformat = noneEuropeanDateformat.split('/'); europeanDateformat = soonEuropeanDateformat[1] + "." + soonEuropeanDateformat[0] + "." + soonEuropeanDateformat[2]; alert("\nNone European date format = " + noneEuropeanDateformat + "\n\nTodays date in European date format: " + europeanDateformat + "\n");
Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Kjell Svendsen

79592112

Date: 2025-04-25 08:30:37
Score: 1.5
Natty:
Report link

In class components normal function don't know what this is so we need to bind them. But arrow function automatically understands this.so we do not require extra code.

Arrow functions are shorter and look cleaner especially in functional components

Arrow functions are used everywhere in use State and use Effect it makes the code more organized and simpler that's why we used it instead of normal function

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

79592107

Date: 2025-04-25 08:26:35
Score: 0.5
Natty:
Report link

Here is a base R version

plot(df)
grid()
abline(h=c(-1.5, 1.5))
with(df[which(!df$pd>-1.5 | df$pd>1.5), ], 
     text(its, pd, sprintf('I%d', its), pos=3)) 

enter image description here

Do you think red colour and/or label boxes add valuable information? Intervals should be right-open!

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

79592102

Date: 2025-04-25 08:24:35
Score: 3
Natty:
Report link

For those on Xamarin / Maui : you can also use the technique described here : https://jonathanantoine.medium.com/maui-xamarin-different-androids-manifest-based-on-build-configuration-125314778067

Reasons:
  • Blacklisted phrase (0.5): medium.com
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: Jonathan ANTOINE

79592095

Date: 2025-04-25 08:20:34
Score: 1.5
Natty:
Report link

The idea is to take service-oriented approach. You have Angular frontend application to serve the pages and a backend application (using one of the above frameworks you choose) to serve the Python code. When required to execute the Python code, some action on your Angular application would call an API served by your backend. This API will point to some form of method where you can run your Python code as necessary, and serve back either the visualization itself or any data as a blob/json response that Angular can read/consume.

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

79592094

Date: 2025-04-25 08:19:33
Score: 0.5
Natty:
Report link

I found the reason I cant find which resource is holding that IP.

Due to externalClusterPolicy: Cluster. The incoming traffic is NATed and the original source IP is masqueraded to an arbitrary IP which is not held by any k8s entity (that k8s expose for users) like services, pods or nodes

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

79592093

Date: 2025-04-25 08:19:33
Score: 2
Natty:
Report link

I faced the same issue, and it's a simple fix. Open the Command Palette (Ctrl + Shift + P), search for Preferences: Open Workspace Settings (JSON), and change the contents to an empty object {}. Save the file, and the default settings will be applied. You can now change the color theme as desired.

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

79592090

Date: 2025-04-25 08:17:33
Score: 1
Natty:
Report link

Okay, so I found the answer to my own question. But before diving into the solution, I want to share a bit about how I implemented Fluxor in my project.

According to the Fluxor documentation, Fluxor is typically registered like this:

var currentAssembly = typeof(Program).Assembly;
builder.Services.AddFluxor(options => options.ScanAssemblies(currentAssembly));

In my implementation, I wanted to abstract my ApplicationState behind an interface (IApplicationState). So I did the following:

builder.Services
    .AddFluxor(o =>
    {
        o.ScanAssemblies(
            typeof(IApplicationState).Assembly,
            typeof(ApplicationState).Assembly
        );
    })
    .AddSingleton<IApplicationState>(sp => sp.GetRequiredService<ApplicationState>());

Notice that I'm using IApplicationState instead of referencing ApplicationState directly in my components or other services.

This setup works perfectly fine in Blazor WebAssembly. However, for some reason (which I still haven't fully figured out), MAUI Blazor Hybrid doesn't play well with this pattern.

When I removed the interface and registered the state directly like this:

builder.Services
    .AddFluxor(o =>
    {
        o.ScanAssemblies(
            typeof(ApplicationState).Assembly
        );
    });

…it started working correctly in MAUI Blazor Hybrid.

So in short: using an interface for your state class seems to cause issues in MAUI Blazor Hybrid, even though it works fine in Blazor WASM.

Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Louis Nong

79592089

Date: 2025-04-25 08:16:33
Score: 0.5
Natty:
Report link

Have a look at Python-based backend frameworks like Django or Flask.

Django: https://docs.djangoproject.com/latest/

Flask: https://flask.palletsprojects.com/en/stable/

These have great documentations to get you started quickly and great community support for ongoing usage.

The idea is to take service-oriented approach. You have Angular frontend application to serve the pages and a backend application (using one of the above frameworks you choose) to serve the Python code. When required to execute the Python code, some action on your Angular application would call an API served by your backend. This API will point to some form of method where you can run your Python code as necessary, and serve back either the visualization itself or any data as a blob/json response that Angular can read/consume.

I understand it may add an overhead of running a separate backend just to execute a Python script, but it's something to consider for yourself. Perhaps you may want to execute more scripts for different visualizations, use cases, conditionally, etc. or utilize database functionalities that Angular may not provide.

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

79592084

Date: 2025-04-25 08:15:32
Score: 3.5
Natty:
Report link

Try restarting your machine, in my case it resolved the issue

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

79592079

Date: 2025-04-25 08:09:31
Score: 11.5
Natty: 8
Report link

did you manage to solve this one?

Reasons:
  • RegEx Blacklisted phrase (3): did you manage to solve this
  • RegEx Blacklisted phrase (1.5): solve this one?
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): did you
  • Low reputation (1):
Posted by: user30369141

79592078

Date: 2025-04-25 08:09:30
Score: 1
Natty:
Report link

If the new categories are just added values in an existing column, your report should pick them up automatically — provided there aren’t any filters or formulas that limit what's shown. I’ve seen similar cases while working with businesses that rely heavily on Crystal Reports for operational visibility.

At Peterson Acquisitions, we’ve worked with teams reviewing legacy reports, and often it’s not the data source that needs changes — it’s the formulas or suppressed sections inside the report that block new values from appearing. Definitely check any selection formulas or conditional formatting.

As for scheduling — if you're not changing parameters or the report structure, your existing schedule should continue running just fine.

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

79592069

Date: 2025-04-25 08:04:29
Score: 2.5
Natty:
Report link

You are missing the crash log. Please post it. However, most likely cause of the crash is that you're calling findViewById on the Activity's view hierarchy, but the views (typeWriter_openai and btn_yes) are actually part of the Dialog's layout, not the Activity's.

You need to call findViewById on the dialog, not on this (the activity):

TypeWriterView typeWriterView = dialogAI.findViewById(R.id.typeWriter_openai);
AppCompatButton appCompatButton = dialogAI.findViewById(R.id.btn_yes);
Reasons:
  • RegEx Blacklisted phrase (2.5): Please post
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: zhvk

79592063

Date: 2025-04-25 08:00:28
Score: 0.5
Natty:
Report link

There were two problems here.

First, shouldReceive('bar') mocks the bar function (and without ->andReturns(...), it will do nothing and return null), so I should use shouldHaveReceived('bar') at the end of my test instead.

But also, spy(Bar::class) creates mocks for all the functions in Bar (including bar), unless I explicitly create a partial mock, leading to this test that does exactly what I want:

    public function test_foobar()
    {
        $spy = $this->spy(Bar::class)->makePartial();
        $foo = $this->app->get(Foo::class);
        $this->assertEquals(42, $foo->foo());
        $spy->shouldHaveReceived('bar');
    }
Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
Posted by: Enno

79592061

Date: 2025-04-25 08:00:28
Score: 1
Natty:
Report link

Try calling

viewStamp.setNeedsLayout()
viewStamp.layoutIfNeeded()

to recalculate the layout after removal.

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

79592056

Date: 2025-04-25 07:56:26
Score: 3
Natty:
Report link

Crtl+Shift+P -> .NET: Open Solution

enter image description here

Reasons:
  • Probably link only (1):
  • Low length (2):
  • Has code block (-0.5):
  • Single line (0.5):
Posted by: Namig Hajiyev

79592052

Date: 2025-04-25 07:52:25
Score: 1.5
Natty:
Report link

You may also create an empty dataframe from an existing one. In this case, both dataframes have the same schema, so you do not need to set it explicitly.

originalDF.limit(0)
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Alexander Ivanov

79592051

Date: 2025-04-25 07:51:25
Score: 5.5
Natty: 4.5
Report link

Thank you my guy. You saved me a lot of time!

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Knotz

79592047

Date: 2025-04-25 07:50:24
Score: 3.5
Natty:
Report link

Your playbook works fine for me:

PLAY [all] ************

TASK [Gathering Facts] ***********************
ok: [trixie1]

TASK [Ensure the user is switched to oracle] *************************************************
changed: [trixie1] => {"changed": true, "cmd": ["whoami"], "delta": "0:00:00.006181", "end": "2025-04-25 07:38:05.349396", "msg": "", "rc": 0, "start": "2025-04-25 07:38:05.343215", "stderr": "", "stderr_lines": [], "stdout": "oracle", "stdout_lines": ["oracle"]}

TASK [Debug the output of whoami] ************************************************************
ok: [trixie1] => {
    "msg": "The current user is: oracle"
}

PLAY RECAP ***********************************************************************************
trixie1                    : ok=3    changed=1    unreachable=0    failed=0    skipped=0    rescued=0    ignored=0

Target OS: Debian Trixie (13)

However, I am unable to achieve the same result using the Ansible playbook.

Did you face any Ansible errors? Can you provide trace back?

Reasons:
  • RegEx Blacklisted phrase (2.5): Can you provide
  • Long answer (-1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: Slavik Svyrydiuk

79592043

Date: 2025-04-25 07:48:24
Score: 1
Natty:
Report link

Ensure that node_modules are different for Windows and WSL. They contain platform specific binary files, which cannot be reused. I'd start by removing node_modules and reinstalling.

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

79592038

Date: 2025-04-25 07:46:23
Score: 1.5
Natty:
Report link

Was struggling with the same, so i created a small Chrome Extension.

Super easy to use -> Gives you all the URLs, titles, upload data and view count in just 1 click!

Works for any playlist, channel or search results.

This saved me tons of time when exporting URLs for use elsewhere.

Hope it helps you too!

https://chromewebstore.google.com/detail/youtube-url-extractor/jmilibpbdpajjnabchfpfmmmjgbimefo?hl=en-GB&authuser=0

Reasons:
  • Whitelisted phrase (-1): Hope it helps
  • Low length (0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Alex Z

79592036

Date: 2025-04-25 07:44:23
Score: 1
Natty:
Report link

Another one:

=LET(a,TOCOL(FILTER(A1:B10,C1:C10=2)),b,UNIQUE(a),c,BYROW(b,LAMBDA(x,SUM(1*(x=a)))),HSTACK(b,c))

Result:

enter image description here

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

79592032

Date: 2025-04-25 07:43:22
Score: 0.5
Natty:
Report link

When Should You Use What?

Use unit tests when you want fast, isolated tests for internal logic.

Use feature tests when testing real-world flows through your app that may depend on routing, middleware, or the database.

Unit Tests

Example:

// tests/Unit/PriceCalculatorTest.php

use Tests\TestCase;

class PriceCalculatorTest extends TestCase
{
    public function test_discount_is_applied_correctly()
    {
        $calculator = new \App\Services\PriceCalculator();
        $result = $calculator->applyDiscount(100, 10); // 10%

        $this->assertEquals(90, $result);
    }
}

Feature Tests

Example

// tests/Feature/UserRegistrationTest.php

use Illuminate\Foundation\Testing\RefreshDatabase;
use Tests\TestCase;

class UserRegistrationTest extends TestCase
{
    use RefreshDatabase;

    public function test_user_can_register()
    {
        $response = $this->post('/register', [
            'name' => 'John Doe',
            'email' => '[email protected]',
            'password' => 'password',
            'password_confirmation' => 'password',
        ]);

        $response->assertRedirect('/home');
        $this->assertDatabaseHas('users', ['email' => '[email protected]']);
    }
}
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): When
  • Low reputation (1):
Posted by: Talha Rashid

79592025

Date: 2025-04-25 07:40:22
Score: 0.5
Natty:
Report link

When working with monetary values in SQL, always prioritize precision – rounding errors are unacceptable when dealing with money. Here's what we should know:

The Right Choice: DECIMAL or NUMERIC

-- Good: Stores values exactly as entered
DECIMAL(15, 4)  -- Can hold up to 15 digits before and 4 after the decimal

The Wrong Choices

Avoid these for currency:

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

79592024

Date: 2025-04-25 07:39:21
Score: 1
Natty:
Report link

In OceanBase MySQL mode, the NOW() and CURRENT_TIMESTAMP functions return time with microsecond precision (up to 6 decimal places).

If your OceanBase instance is running in Oracle mode, functions like SYSTIMESTAMP and CURRENT_TIMESTAMP can return time with nanosecond precision (up to 9 decimal places).

If you need nanosecond-level timestamps in MySQL mode, you can generate them using external applications — for example, with System.nanoTime() in Java or time.Now().UnixNano() in Go — and store them in the database as BIGINT or a custom-formatted string.

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

79592016

Date: 2025-04-25 07:35:20
Score: 3.5
Natty:
Report link

Don't send two orders simultaneously - check for the server response to the first order before sending the second

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

79592015

Date: 2025-04-25 07:35:20
Score: 1
Natty:
Report link

Try to do the same thing but on local docker instanse instead. You'll see that if werver says "4xx" it means that file realy does not exist in target directory.Investigation process steps:

This is a very broad question, and it is not about Synology NAS, but about general web server operation process.

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

79592013

Date: 2025-04-25 07:34:20
Score: 3
Natty:
Report link

Make sure the Logger file you are using should be imported from log4j library rather than liferay's one.

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

79592005

Date: 2025-04-25 07:28:18
Score: 1.5
Natty:
Report link

try add the following code inside your setting.json:

"ruff.configuration": {
    "lint": {
      "unfixable": ["F401"]
    }
  }
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Zhexian

79591999

Date: 2025-04-25 07:24:17
Score: 0.5
Natty:
Report link

Yes, you can override nested dependencies (like http-proxy-middleware used by webpack-dev-server) using the overrides field in package.json, but it depends on your package manager.

Since you’re using package-lock.json, I assume you’re using npm (v8 or above). Let’s go through how to handle this with npm:

✅ Step-by-Step: Override Nested Dependency with NPM

  1. Ensure you’re using npm v8+ Check with:

bash Copy Edit npm -v The overrides feature is supported from npm v8 onwards.

  1. Update package.json with overrides Add the overrides section like this:

json Copy Edit "overrides": { "webpack-dev-server": { "http-proxy-middleware": "^2.0.6" } } ✅ This tells npm: "Whenever webpack-dev-server depends on http-proxy-middleware, use version ^2.0.6 instead."

🔍 You can also directly override http-proxy-middleware globally:

json Copy Edit "overrides": { "http-proxy-middleware": "^2.0.6" } 3. Clean and reinstall Run:

bash Copy Edit rm -rf node_modules package-lock.json npm install This ensures the override is applied cleanly.

🔍 To Verify Override Applied After install, check:

bash Copy Edit npm ls http-proxy-middleware You should see:

bash Copy Edit [email protected] └─┬ webpack-dev-server@... └── [email protected] 🛠 If override doesn't apply, try: Ensure no other dependency is locking the version.

Make sure no peer dependency is conflicting.

Use npm-force-resolutions as a last resort (works better with Yarn though).

🔄 Alternative: Use resolutions (if using Yarn) If you're on Yarn (especially v1), use:

json Copy Edit "resolutions": { "http-proxy-middleware": "^2.0.6" } But this doesn’t work with npm — only overrides does.

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

79591995

Date: 2025-04-25 07:23:17
Score: 3
Natty:
Report link

According to the MySql documentation there's no need to specify a delimiter in a sql file. This is only needed if you're using the mysql client.

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

79591987

Date: 2025-04-25 07:18:15
Score: 8.5 🚩
Natty: 6.5
Report link

How can I implement a 'Save As' functionality programmatically for a Web Panel Save as (including WorkWithPlus for web instances) in GeneXus? I want to replicate the behavior where a user can save a copy of a Web Panel or WorkWithPlus instance with a new name and location using code, similar to the Copy method or the NewObjectDialog service. Can you provide an example or guidance for this?

Reasons:
  • Blacklisted phrase (0.5): How can I
  • RegEx Blacklisted phrase (2.5): Can you provide
  • RegEx Blacklisted phrase (1): I want
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): How can I
  • Low reputation (1):
Posted by: hao

79591984

Date: 2025-04-25 07:17:14
Score: 4
Natty:
Report link

thank u for step by step install pandas

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

79591981

Date: 2025-04-25 07:16:13
Score: 4.5
Natty:
Report link

I was already in test environment :/

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

79591977

Date: 2025-04-25 07:13:12
Score: 3
Natty:
Report link

A semicolon is missing after background-color: #108453

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

79591976

Date: 2025-04-25 07:12:12
Score: 3
Natty:
Report link

I have created and tested an updated script which will generate code coverage report for all modules. You can find code in below link:-

https://gist.github.com/shubhendras11/d366717985ca5eae776bfbb153c5d1a0

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

79591971

Date: 2025-04-25 07:09:10
Score: 7.5 🚩
Natty: 5
Report link

Most likely explanation is that there is an exception thrown somewhere else and that distrupts the objects update call. Do you have anything in your error log at all?

Reasons:
  • RegEx Blacklisted phrase (2.5): Do you have any
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Efe Belli

79591969

Date: 2025-04-25 07:09:10
Score: 0.5
Natty:
Report link
"dependencies": {
  "crypto-js": "^3.1.9-1"
}
Hope this saves your day — downgrading worked for me!
Reasons:
  • Whitelisted phrase (-1): worked for me
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Tauseef Ahmad

79591963

Date: 2025-04-25 07:05:09
Score: 1.5
Natty:
Report link

Guys don't waste time on complex configurations !

Just open your wp-config file in the WordPress project folder, change define('DB_HOST', localhost) to define('DB_HOST', 127.0.0.1) ..

THERE IS NOTHING WRONG IN YOUR XAMPP SET UPS IF YOUR NON WORDPRESS PROJECTS LOAD FASTER. THE PROBLEM IS EXACTLY IN YOUR PROJECT WORDPRESS CONFIG

Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Gilo 3D Studio

79591954

Date: 2025-04-25 07:03:08
Score: 4
Natty:
Report link

The article below illustrates steps to follow to catch tests that are failing Diagnosing Random Angular Test Failures

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

79591947

Date: 2025-04-25 06:58:03
Score: 6 🚩
Natty:
Report link

I’m using the Mobile Notifications Unity Package for local notifications, but I’m facing an issue: I’m not receiving local notifications on most devices when the game is killed, even if their Android version is 13 or higher. Can anyone please suggest which package I should use to get local notifications even when the game is killed? I’d also like to mention that I don’t want to use Firebase. I want local notification for both android and IOS.

Reasons:
  • RegEx Blacklisted phrase (2.5): Can anyone please suggest
  • RegEx Blacklisted phrase (1): I want
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: FatimaAbbas Hazel

79591940

Date: 2025-04-25 06:51:01
Score: 3.5
Natty:
Report link

This does work for source files listed in Android.mk but not Android.bp

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

79591930

Date: 2025-04-25 06:42:59
Score: 1.5
Natty:
Report link

To rotate a Solar Solutions in Unreal Engine 4 around its local Z-axis based on another actor’s world location (like the sun), use the Find Look at Rotation node to get the rotation from the panel to the sun, then break the rotator and isolate the Yaw (Z-axis) component. Recombine this into a new rotator and apply it using "SetActorRotation". This setup should be placed in the Tick function for real-time updates. This method is ideal for dynamic solar tracking systems, such as one you might implement in a Power City solution project in Lahore.

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

79591924

Date: 2025-04-25 06:33:57
Score: 1.5
Natty:
Report link

The below code maintained one request id for all the rows I have used

let requestId = toscalar(tostring(new_guid()));
Tbl_MyData
| extend RequestId = requestId
| take 10
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Lakshmi Kiranmayi Yeddanapudi

79591922

Date: 2025-04-25 06:29:56
Score: 0.5
Natty:
Report link

When you create the PlaceAutocompleteElement object, you have access to the seach input element and the dropdown element with the search results.

So you can append those elements to your HTML. Once they are in your HTML, you can give them custom classes to style.

Here is how:

const container = document.querySelector(".container"); //An example container in your current DOM
const placeAutocompleteElement = new google.maps.places.PlaceAutocompleteElement();
const inputAutocompleteElement = placeAutocompleteElement.Eg; //The  search input autocomplete element
const dropdownElement = placeAutocompleteElementjg; //The dropdown with search results

//Now append both elements to your DOM
container.append(inputAutocompleteElement);
container.append(dropdownElement);

//Give the elements your custom styles
inputAutocompleteElement.classList.add("search-input");
dropdownElement.classList.add("dropdown-results");
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Starts with a question (0.5): When you
  • Low reputation (1):
Posted by: hebrerillo

79591904

Date: 2025-04-25 06:19:53
Score: 4
Natty:
Report link

How do I speak to a human at Qᵘⁱᶜᵏᵉⁿ? To speak to a human at Qᵘⁱᶜᵏᵉⁿ, call +1️⃣-8️⃣7️⃣7️⃣-2️⃣0️⃣0️⃣-6️⃣8️⃣9️⃣1️⃣. The representative will help you with any inquiries, from technical issues to account support. Make sure to explain your concern so they can direct you to the appropriate department.

Reasons:
  • Blacklisted phrase (1): How do I
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): How do I
  • Low reputation (1):
Posted by: jonwick

79591892

Date: 2025-04-25 06:05:50
Score: 6.5 🚩
Natty:
Report link

Que tal está el sistema de Google+++ Cómo robo de identidad se empeñan en robar cuentas y comenzar a ser un fastidio, tal como GEMINI y ANDROID AUTO #13 Sería genial inventar un solo producto que reiniciará todo el sistema operativo, ya que los malwares están al día, una app en dónde la cámara del dispositivo móvil o unas gafas que te permitan ver desde donde te están grabando dentro de tu propio entorno, que sea difícil que te roben la identidad y que todo fuera seguro algún sistema que me recomienden para extraer todo malware de un sistema? gases para dormir gente por los ductos de la luz, y micro camaras SPY Dentro de la privacidad del ser humano, sales de casa un momento, y la comunidad se solventa de eso mismo, espionaje, exhibidos en el mundo de la Internet, deberíamos inventar un programa para saber que es lo que está alimentos a quienes están a tu alrededor, propongo+++(( comenzar)) Inhibición de espionaje, con camaras de calor ¿Acaso Tu confías en tus vecinos? Desarrollador+_____+ Dedito arriba si comenzamos el proyecto, ¡EL FUTURO ES HOY! oíste viejo... o.O

Reasons:
  • Blacklisted phrase (1): ¿
  • Blacklisted phrase (1): está
  • Blacklisted phrase (1): Cómo
  • RegEx Blacklisted phrase (2.5): mismo
  • Long answer (-1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: user30368017

79591890

Date: 2025-04-25 06:02:49
Score: 5
Natty:
Report link

I’m using the Mobile Notifications Unity Package for local notifications, but I’m facing an issue: I’m not receiving local notifications on most devices when the game is killed, even if their Android version is 13 or higher. Can anyone please suggest which package I should use to get local notifications even when the game is killed? I’d also like to mention that I don’t want to use Firebase.

Reasons:
  • RegEx Blacklisted phrase (2.5): Can anyone please suggest
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: FatimaAbbas Hazel

79591882

Date: 2025-04-25 05:58:47
Score: 0.5
Natty:
Report link

Your mirrored repository contains references to LFS-tracked files, but those actual files aren’t being pushed with your current method.

After what you've already done, do this:

git lfs install
git lfs push --all origin

This command pushes all the LFS files associated with all branches and tags to the new origin.

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

79591874

Date: 2025-04-25 05:52:46
Score: 0.5
Natty:
Report link

There is currently no way to activate the result cache for the REST API. The documentation of the TidyExecuteMdxScript request is mentioning its execution is ignoring the MDX result cache. Should you need this feature please contact your support.

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

79591855

Date: 2025-04-25 05:29:41
Score: 1.5
Natty:
Report link

Here is a modified version of the answer by @pedromendessk that should work in one go:

EXEC sp_MSforeachtable
    @command1 = 'ALTER TABLE ? NOCHECK CONSTRAINT ALL',
    @command2 = 'DROP TABLE ?'
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • User mentioned (1): @that
  • Low reputation (0.5):
Posted by: Mr. X

79591854

Date: 2025-04-25 05:29:41
Score: 1
Natty:
Report link

In ADF dataflow, I can see the expected output in the data preview section. However, when I run the pipeline, the final file is saved in Azure Blob Storage. I see that duplicate records for some reason. Some records are 14 times duplicate, some 10 times, some 7 times etc. I tried to tweak the partition settings as well, but to no avail.

For the issue you are facing I tried to find a work around. You can try following workflow to find. I have created one dataflow. In this source side I have added duplicate record. enter image description here

I have performed one aggregate condition to check the count of duplicate records. enter image description here

Then post that I have added conditional split. enter image description here I have sent the output of duplicate records to blob storage container. In the output you can check Alice is a duplicate record. enter image description here output of distinct I have sent to blob storage different container in the data preview you can see only distinct records are visible. enter image description here

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

79591844

Date: 2025-04-25 05:16:39
Score: 2
Natty:
Report link

I've written my own dataprovider with localhost and it works well. But if deployed on a customer's premise, the dataprovider has to be the IP address of the server, which we have no control of. If it's a fixed IP address, we can have a setting page that writes to the .env file.

That won't work if it's a dynamic address.

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

79591832

Date: 2025-04-25 05:03:36
Score: 2
Natty:
Report link

check if something is running on that port, in my case i was using 3000 as soon i killed the process my server started working

run below given commands 1.lsof -i :3000 // this will give you a process ID 2. kill -9 PID // kill the process and the issue will be solved

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

79591824

Date: 2025-04-25 04:57:34
Score: 0.5
Natty:
Report link

in addiditon to my comment.
Both certificates are created to ensure authentication of a product. SSL is for websites while codesigning is for applications. both are based on a trust chain. Your SSL certificate is created by a CA (certificate authority) that is listed in the browser root store. A code signing certificate's CA is based in the OS root store.
There are no free code signing certificates. You'll need to spend money on that. Also they are time limited. It's not buy and forget. You'll have to renew them.

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

79591815

Date: 2025-04-25 04:46:31
Score: 2.5
Natty:
Report link

3 years later this still doesn't work as expected. Though it's XCode, we should be happy the tabs even open in the first place, even if they immediately close the tab you already had open. Only Apple can struggle this hard to make a code editor.

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

79591796

Date: 2025-04-25 04:23:26
Score: 1
Natty:
Report link

Since you've already added them to your .gitignore one way to do this is to move the files in question outside the repo folder, commit the "deletion" and then put them back into the repo folder.

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

79591788

Date: 2025-04-25 04:16:25
Score: 1
Natty:
Report link

i was playing with docker until i found why it is not showing the logs

The problem was here:

CMD ["python", "main.py"]

You should include "-u" flag it means run this in unbuffered mode, so your line would be like this:

CMD ["python", "-u", "main.py"]

Try to rebuild docker and see if it works.

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

79591787

Date: 2025-04-25 04:16:24
Score: 9 🚩
Natty: 6
Report link

I have the exact same problem here. I'm sorry, I don't have an answer but did you find it in the meantime ? Because I could really use the help :)

Reasons:
  • RegEx Blacklisted phrase (3): did you find it
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): I have the exact same problem
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Agathe P

79591784

Date: 2025-04-25 04:11:23
Score: 1.5
Natty:
Report link

Just finished dealing with a super annoying bug in my project — the whole program was only 20 lines long but it still took me two hours to debug 😅. I ended up going old-school: wrote down what I expected the program to do line by line, then stepped through the code with a debugger, checking every variable at each step. Turns out the issue was in how I was handling base64 image data.

Funny thing is, this whole approach was something I picked up from a dev at TechHub. I had reached out to them a while back when I was struggling to deploy my MERN + TensorFlow.js app. I wasn’t super confident with the backend stuff back then, so I asked for a bit of guidance. They didn’t just help me set things up — they also explained the reasoning behind it, which really helped.

Honestly, if you're doing a final year project or building something on your own and you're still new to debugging, this method is worth trying. And if you get stuck, TechHub might be worth reaching out to — they won’t do the work for you, but they’re really helpful when it comes to walking you through things.

Reasons:
  • Blacklisted phrase (1): help me
  • Long answer (-1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: TechHub Vietnam

79591780

Date: 2025-04-25 03:58:20
Score: 4
Natty: 4
Report link

Recommend to try https://techcommunity.microsoft.com/blog/appsonazureblog/strapi-on-app-service-quick-start/4401398. You can quickly deploy Strapi on App Service Linux with built in integration with other Azure services.

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

79591777

Date: 2025-04-25 03:53:19
Score: 3
Natty:
Report link

In my case, after upgrading JDK 17 to JDK 20, tag mismatch error disappeared.

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

79591773

Date: 2025-04-25 03:45:17
Score: 2
Natty:
Report link

This is no longer true! Google Play has added full support of Real Time Developer Notifications for in-app products.

In Monetization Setup, there is an option now for receiving all one-time product notifications:

Google Play monetization setup

The documentation now mentions the whole in-app flow with the corresponding RTDN events:

https://developer.android.com/google/play/billing/lifecycle/one-time

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

79591770

Date: 2025-04-25 03:44:17
Score: 1
Natty:
Report link

I finally fixed this. I'll just post just in case somebody might experience the same.

$ chown -R devsite:devsite storage bootstrap
$ chmod -R 775 storage bootstrap 
$ chown -R devsite:devsite public/storage

Wherein, devsite is the user of testing.domain.com.

What causes the problem? This occurs when I cleared the basset.

php artisan basset:clear

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

79591765

Date: 2025-04-25 03:39:16
Score: 1.5
Natty:
Report link

Once you managed to create a service account key, you can set each member's email signature using my code here: https://github.com/reachlin/thesamples/blob/main/gmail_signature.ipynb

The key is to have enough permission on your key.

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

79591763

Date: 2025-04-25 03:37:16
Score: 2
Natty:
Report link

I generally front-load the build into the CI pipeline and publish a container image that already contains the compiled binary. Then the pods simply pull that image and execute in seconds. If I still need incremental builds inside Kubernetes, I can mount a network-backed cache like EFS for read-only dependency caches.

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

79591758

Date: 2025-04-25 03:28:14
Score: 2.5
Natty:
Report link

The pytorch offical website:

newset version: https://pytorch.org/

previous version: https://pytorch.org/get-started/previous-versions/

Make sure activating your conda environment before typing these installation commands.

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

79591755

Date: 2025-04-25 03:24:13
Score: 3.5
Natty:
Report link

My situation is that emr cluster cannot access kms, because we have restricted emr sg outbound rules. Open 443 port for kms in emr sg, it works.

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