79560739

Date: 2025-04-07 20:36:40
Score: 1.5
Natty:
Report link

Another thing you can do is use the Mono.HttpUtility nuget package, and use the namespace Mono.Web instead of System.Web.

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

79560712

Date: 2025-04-07 20:17:36
Score: 1
Natty:
Report link

{"background":{"scripts":["main.js"]},"content_scripts":[{"all_frames":true,"js":["in_page.js"],"matches":["\u003Call_urls\u003E"]}],"description":"Lightspeed Filter Agent for Chrome","icons":{"128":"icon-128.png","16":"icon-16.png"},"incognito":"spanning","key":"MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA0TSbKFrknvfAAQToJadwSjzyXA2i51/PONO7gkOJMkJG17Jjgt+0/v94/w5Z1kbkO8ugov9+KtB7hbZxcHvWyCpa9hjKqXeMUGzPFcgp6ZPQKkvRl3aoedef1hlrKykkSx0pvlH0aPrp+KGc/pKcYga4E2M81tIg8JhHT/hUpS+NVU4ceA9Ky2RfjZpuvKAgI1duSxDYt+VdcRvwPJ8CocGYFAmbrd7u5ViwtyRD99tpCTp0wvz0TE4dfnCds5+qJT7zpx7Bp/uUk88JdJmDcWUcmpTNAoARh0Fl5XbYNHpQBzdk08m1fhXqQGBg45Qj+9ALRjdv2cUYO9UPeFCHDwIDAQAB","manifest_version":2,"name":"Lightspeed Filter Agent","options_page":"options.html","permissions":["webRequest","\u003Call_urls\u003E","http:///","idle","background","https:///","tabs","storage","history","webRequestBlocking","identity","identity.email","management","enterprise.deviceAttributes","enterprise.networkingAttributes","proxy","bookmarks"],"update_url":"https://lsrelay-extensions-production.s3.amazonaws.com/chrome-filter/93791460bd4591916fae6788dd691570096e47a0e47061cdead407edc2363560/ChromeFilter.xml","version":"3.9.7.1743797546","web_accessible_resources":["blocked-image-search.png"]}

Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Samary Velasquez Rugama Studen

79560711

Date: 2025-04-07 20:17:36
Score: 3
Natty:
Report link

Check for fsGroup setting in pod's securityContext.

If set, it adds minimal group permissions and ownership to all mounted files/volumes to the pod.

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

79560703

Date: 2025-04-07 20:12:34
Score: 0.5
Natty:
Report link

I recently created a winforms project in Visual Studio 2022 and discovered my own answer to this question, below.

When trying to access an assembly attribute in AssemblyInfo.cs that looks like this:

[assembly: AssemblyCopyright("Some Copyright 2025")]

My call to retrieve this information ended up being this:

MessageBox.Show(
    
Assembly.GetExecutingAssembly().GetCustomAttribute<System.Reflection.AssemblyCopyrightAttribute>().Copyright.ToString()

);

The above message box will read "Some Copyright 2025." Presumably you can call any custom attribute in the AssemblyInfo.cs file in this manner.

This looks fiddly and there is probably an easier way, but to the best of my knowledge, this is the simplest thing you can do to retrieve these.

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: user30201115

79560702

Date: 2025-04-07 20:12:34
Score: 1.5
Natty:
Report link

On top of Maddy's answer, you can also automate this via below command in terminal:

gsettings set org.freedesktop.ibus.panel.emoji hotkey "['<Super>period', '<Super>semicolon']"
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: ubbuyan

79560692

Date: 2025-04-07 20:05:33
Score: 1.5
Natty:
Report link

MAP STRUCTURE:

LANDMARKS:

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

79560691

Date: 2025-04-07 20:04:32
Score: 0.5
Natty:
Report link

Consider using memory_graph to visualize your data so you have a better understanding of it.

import memory_graph as mg # see link above for install instructions

class Tree(object):

    def __init__(self):
        self.left = None
        self.data = 0
        self.right = None
        
    def insert(self,num):
        self.data = self.data + 1
        if num == 0:
            if self.left == None:
                self.left = Tree()
            return self.left
        elif num == 1:
            if self.right == None:
                self.right = Tree()
            return self.right

data = [[0,1,0,0,1],[0,0,1],[0,0],[0,1,1,1,0]]

root = Tree()
for route in data:
    build_tree = root
    for i in range (0,len(route)):
        num = route[i]
        build_tree = build_tree.insert(num)

mg.show(locals()) # graph all local variables

tree

Full disclosure: I am the developer of memory_graph.

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

79560689

Date: 2025-04-07 20:04:32
Score: 1.5
Natty:
Report link

// useWindowWidth.js

import { useState, useEffect } from 'react';

/**

useEffect(() => { const handleResize = () => setWidth(window.innerWidth); // Fonction appelée lors du redimensionnement

window.addEventListener('resize', handleResize); // Ajoute l'écouteur d'événement

return () => {
  window.removeEventListener('resize', handleResize); // Nettoyage à la désactivation du composant
};

}, []); // Le tableau vide signifie que l'effet ne s'exécute qu'au montage et démontage

return width; // Retourne la largeur actuelle }

export default useWindowWidth;

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • User mentioned (1): @returns
  • Low reputation (1):
Posted by: hakeem

79560682

Date: 2025-04-07 20:01:32
Score: 1.5
Natty:
Report link

Here is the explanation about how it worked for me

https://www.linkedin.com/posts/dennestorres_dax-reportbuilder-powerbi-activity-7315094797533249537-NXgl?utm_source=share&utm_medium=member_desktop&rcm=ACoAAACafPkBxE1vod49olb74YvLc9lMpoEkZHk

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

79560680

Date: 2025-04-07 20:00:31
Score: 2
Natty:
Report link

put platform: linux/amd64 into Dockerfile or to every service in compose file

error says your image is built in arm64 not linux/amd64

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

79560676

Date: 2025-04-07 19:59:31
Score: 2
Natty:
Report link

Firstly, I am not seeing a person with a last name of "Kumar" in our sandbox bank, which is why you would see "No records match selection criteria"

As far as searching by PostalCode - you must also pass in the AddrCat element with a value of "All" to see the proper PostalCode returned in the response.

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

79560671

Date: 2025-04-07 19:54:30
Score: 3
Natty:
Report link

+----------------------------------+---------+------------------------+----------------+

|               Col1               |  Col2   |          Col3          | Numeric Column |

+----------------------------------+---------+------------------------+----------------+

| Value 1                          | Value 2 | 123                    |           10.0 |

| Separate                         | cols    | with a tab or 4 spaces |       -2,027.1 |

| This is a row with only one cell |         |                        |                |

+----------------------------------+---------+------------------------+----------------+

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • No latin characters (1.5):
  • Filler text (0.5): ----------------------------------
  • Filler text (0): ---------
  • Filler text (0): ------------------------
  • Filler text (0): ----------------
  • Filler text (0): ----------------------------------
  • Filler text (0): ---------
  • Filler text (0): ------------------------
  • Filler text (0): ----------------
  • Filler text (0): ----------------------------------
  • Filler text (0): ---------
  • Filler text (0): ------------------------
  • Filler text (0): ----------------
  • Low reputation (1):
Posted by: Salem Alamri

79560666

Date: 2025-04-07 19:52:29
Score: 3.5
Natty:
Report link

Looks like nobody answered this. Looks like you are further along than I am but wondered about the same thing.

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

79560662

Date: 2025-04-07 19:49:28
Score: 1.5
Natty:
Report link

1. Updated Mongoose Version

I installed a stable version of Mongoose:

npm install [email protected]

2. Updated My MongoDB Connection Code const mongoose = require('mongoose');

const connectDB = async () => { try { await mongoose.connect("mongodb+srv://:@cluster0.4yklt.mongodb.net/?retryWrites=true&w=majority"); console.log('✅ MongoDB Connected'); } catch (error) { console.error('❌ Connection Error:', error.message); } };

connectDB();

Replace , , and with your actual MongoDB Atlas credentials.

3. Allowed IP Address in MongoDB Atlas To allow connections from your machine:

Log in to MongoDB Atlas.

Go to Network Access under Security.

Click "Add IP Address".

Choose "Add Current IP Address".

Click Confirm and wait for the status to become Active.

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

79560657

Date: 2025-04-07 19:47:28
Score: 3.5
Natty:
Report link

You can use command-line option: "gradle bootBuildImage --imagePlatform linux/arm64"

Reasons:
  • Whitelisted phrase (-1.5): You can use
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Maksim Radzevich

79560655

Date: 2025-04-07 19:45:27
Score: 4
Natty:
Report link

Since you have mentioned voro++ on top of your current options, it seems logic to think that if you could use voro++ in MATLAB you could readily fox the problem at hand.

Good news ! Some one ahead of you has posted in Github the MEX libraries for voro++ .

https://github.com/smr29git/MATLAB-Voro

Please give a go and let us know.

Reasons:
  • RegEx Blacklisted phrase (2.5): Please give
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: John Bofarull Guix

79560648

Date: 2025-04-07 19:39:25
Score: 4.5
Natty:
Report link

was there ever a fix found for this? Our test email sent in dev show this behavior but not the tests from prod, ie with the prod tests when 'view entire message' is clicked the css is carried over, but not from dev. The esp we are using is SailThru

Reasons:
  • RegEx Blacklisted phrase (1.5): fix found for this?
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): was there
  • Low reputation (0.5):
Posted by: roob

79560647

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

https://jar-download.com/artifacts/com.google.protobuf/protobuf-java-util/3.25.0/source-code
Try this version. It has your specified class

Reasons:
  • Whitelisted phrase (-1): Try this
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: rajath_jingade

79560641

Date: 2025-04-07 19:34:24
Score: 3
Natty:
Report link

The problem was solved, after so much debugging the problem was an HTML tag <meta http-equiv="Content-Security-Policy" content="upgrade-insecure-requests"> , nothing to do with symfony or nginx

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

79560640

Date: 2025-04-07 19:32:22
Score: 7.5 🚩
Natty: 5
Report link

I have ran into the same problem and seeing very similar training logs to you when using a multi-discrete action space but the evaluation is not good. Did you ever find a solution?

Reasons:
  • RegEx Blacklisted phrase (3): Did you ever find a solution
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Edhead

79560634

Date: 2025-04-07 19:26:21
Score: 2
Natty:
Report link

The right timeformat was sqlite> SELECT STRFTIME('%Y', '2023-01-01');

Which return a correct 2023

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

79560618

Date: 2025-04-07 19:17:18
Score: 4
Natty:
Report link

Go to this link, And download all the models under `ComfyUI/models` into your models.

Issue - You might be using the VM and because of this, internet access is blocked.
Reference - https://github.com/chflame163/ComfyUI_LayerStyle_Advance?tab=readme-ov-file#download-model-files

Reasons:
  • Blacklisted phrase (1): this link
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Nikhil Tayal

79560613

Date: 2025-04-07 19:14:17
Score: 1.5
Natty:
Report link

I've deleted these str from themes.xml which were somehow added there

<item name="android:windowLayoutInDisplayCutoutMode">shortEdges</item>
<item name="android:windowTranslucentStatus">true</item>
<item name="android:windowTranslucentNavigation">true</item>
<item name="android:fitsSystemWindows">true</item>
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Pavel Luchkov

79560610

Date: 2025-04-07 19:14:17
Score: 2.5
Natty:
Report link

delete and install or otherwise discard your current environment and make a new one and then install the library or the last option which you can do is use a older version of Jupyter.

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

79560605

Date: 2025-04-07 19:10:16
Score: 2
Natty:
Report link

from pathlib import Path

import shutil

# Re-define paths after environment reset

demo_video_source = Path("/mnt/data/Pashto_Kids_Cartoon_HD.mp4")

video_output_path = Path("/mnt/data/Akhlaq_Pashto_Cartoon_1min.mp4")

# Simulate creating the final video by copying a demo source

shutil.copy(demo_video_source, video_output_path)

video_output_path.name

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

79560600

Date: 2025-04-07 19:08:16
Score: 2.5
Natty:
Report link

The project (ffmpeg-kit) has been retired and binaries removed.

see the README https://github.com/arthenica/ffmpeg-kit/

You probably need to switch to an alternative or build it locally.

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

79560594

Date: 2025-04-07 19:03:14
Score: 2.5
Natty:
Report link

A recently developed tool called UPC Sentinel can be used to precisely detect:

Notably, UPC Sentinel does not require access to the source code, making it especially useful for analyzing closed-source smart contracts.

You can find more technical details in the following recently published paper here: 🔗 https://link.springer.com/article/10.1007/s10664-024-10609-7

And the GitHub repository is available here: 💻 https://github.com/SAILResearch/replication-24-amir-upc_sentinel

Feel free to check it out or reach out if you have any questions

Reasons:
  • Blacklisted phrase (0.5): check it out
  • Contains signature (1):
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Amir

79560589

Date: 2025-04-07 19:01:13
Score: 2.5
Natty:
Report link

OK, I found it. The hovered/clicked message is passed to the callback function in the info parameter, https://webextension-api.thunderbird.net/en/beta-mv2/menus.html#menus-onclicked. So you just use this to get the sender: info.selectedMessages.messages[0].author

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

79560583

Date: 2025-04-07 18:54:11
Score: 4
Natty:
Report link

Have you tried giving up on this assignment? worked for me

Reasons:
  • Whitelisted phrase (-1): Have you tried
  • Whitelisted phrase (-1): worked for me
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: sarangi's wise TAs

79560580

Date: 2025-04-07 18:52:10
Score: 9 🚩
Natty:
Report link

Anyone please answer to this question. It is required in my university assignment. Please help. ASAP.

Reasons:
  • RegEx Blacklisted phrase (2.5): please answer
  • RegEx Blacklisted phrase (3): Please help
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: sarangi

79560579

Date: 2025-04-07 18:51:10
Score: 1.5
Natty:
Report link
I2C1_WriteByte(MPU6500_ADDR, 0x6B, 0x00);

Per datasheet, first step is to "Make Sure Accel is running". Sleep is by default.

In PWR_MGMT_1 (0x6B) make CYCLE =0, SLEEP = 0 and STANDBY = 0

In PWR_MGMT_2 (0x6C) set DIS_XA, DIS_YA, DIS_ZA = 0 and DIS_XG, DIS_YG, DIS_ZG = 1

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

79560564

Date: 2025-04-07 18:42:08
Score: 2.5
Natty:
Report link

your code has nothing wrong, the disappear line thing is something usually happen because the pixels of the screen if you open it on your phone you will see what I'm taking about just try to open the page on different device.

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

79560559

Date: 2025-04-07 18:39:06
Score: 13.5
Natty: 7.5
Report link

I have the same issue, did you ever resolve this?

Reasons:
  • Blacklisted phrase (1): I have the same issue
  • RegEx Blacklisted phrase (3): did you ever resolve this
  • RegEx Blacklisted phrase (1.5): resolve this?
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): I have the same issue
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Winston Jacob

79560544

Date: 2025-04-07 18:26:03
Score: 2
Natty:
Report link

Checked the stackblitz but it isn't bugged for me. Using latest Chrome version (135)

Also threw the code into one of my angular projects and the bug isn't showing when I run that either

Woulda commented this rather than answering but not enough rep yet sorry

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

79560540

Date: 2025-04-07 18:24:02
Score: 1
Natty:
Report link

It looks like designs live forever; they continue to exist even after their parent issue is deleted or the project to which they belong is destroyed.

What you probably want to do is archive the design file which will prevent it from showing in the GitLab GUI.
https://docs.gitlab.com/user/project/issues/design_management/#archive-a-design

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

79560537

Date: 2025-04-07 18:22:02
Score: 1.5
Natty:
Report link

In addition to the way described by adsy in the question's comments (which I didn't give it a try), the other way to solve this problem is via bookmarklets as described in this answer. It is more generic (in the sense that doesn't require a desktop computer and any cables) although a bit less "friendly" (since you have to have a way to share and copy/paste long values).

Reasons:
  • Contains signature (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: Eric

79560536

Date: 2025-04-07 18:21:01
Score: 0.5
Natty:
Report link

Need to have Tls12 in order to communicate with the ingestion end point. After setting this it worked

  System.Net.ServicePointManager.SecurityProtocol = SecurityProtocolType.Tls12; 
Reasons:
  • Whitelisted phrase (-1): it worked
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Wathma Rathnayake

79560529

Date: 2025-04-07 18:16:00
Score: 1
Natty:
Report link

There are two approaches to solve the original question.

  1. Create a custom connector - where @Carlos A-M was heading. Then you need a public API wrap - which Carlos suggested Azure Function as a location for that.

  2. Use Power Automate to get the data for you, then you have to deal with the response which has a high likelihood of being in JSON - and that's where @SeaDude went with his response.

I went #2, and didn't want to pay for premium so I could use the HTTP connector - so I used the workaround posted here: https://henrik-llb.medium.com/power-automate-hack-http-request-to-rest-apis-without-premium-license-da784a5de448. Note that the HTTP connector actually works for me - even without premium. But - I'm worried that if I rely on that, they can shut my solution down any time by disabling that.

Also - premium Power Automate is not very expensive, so, most people would say it's worth the money to not be relying on silly workarounds that are more difficult to maintain.

Reasons:
  • Blacklisted phrase (0.5): medium.com
  • Whitelisted phrase (-1): works for me
  • Long answer (-0.5):
  • No code block (0.5):
  • User mentioned (1): @Carlos
  • User mentioned (0): @SeaDude
  • Low reputation (0.5):
Posted by: Jon vB

79560519

Date: 2025-04-07 18:02:57
Score: 1.5
Natty:
Report link

Works for me, adding this link in the index.htlm

 <link rel="stylesheet" href="~/{YOUR-PROJECT-NAME}.styles.css" asp-append-version="true" />
Reasons:
  • Blacklisted phrase (1): this link
  • Whitelisted phrase (-1): Works for me
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Isaac Valdez

79560514

Date: 2025-04-07 17:58:55
Score: 4.5
Natty: 4
Report link

I got the solution please change gradel dependency

please replace with

implementation 'com.github.smarteist:Android-Image-Slider:1.4.0'

it's working for my project. I hope it will work for your project.

if have any issue please let me know. Thanks

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • RegEx Blacklisted phrase (2.5): please let me know
  • RegEx Blacklisted phrase (1): I got the solution please
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Mohit Khandelwal

79560507

Date: 2025-04-07 17:53:54
Score: 2
Natty:
Report link

I faced this same problem today, but mine happened on Eclipse when I was using Tomcat as a server for running jsp files. Just clear the tomcat work directory and it will work perfectly.

Tomcat > Clean Tomcat Work Directory... > Restart Tomcat

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: 12 VIII A Ethan Dsouza

79560499

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

To achieve the desired layout where the container div is slightly larger than the image without stretching to full width, you should avoid using classes like w-100 or w-auto, which can behave unpredictably depending on the context. Instead, wrap your component in a div styled with display: inline-block and some padding (e.g., padding: 2rem). This allows the container to naturally size itself around the image while still providing the padding effect you want. Removing the w-100 ensures the container doesn’t stretch across the full width of its parent, and using inline-block makes the container shrink-wrap its content. This approach works well in Vuetify and is framework-agnostic.

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

79560497

Date: 2025-04-07 17:47:52
Score: 2.5
Natty:
Report link

This assist me in getting the resources for eaxh susciption which is group by it`s resource types

resources

| where subscriptionId == "xxxxxxxx"

| summarize count() by type

| order by count_ desc

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Filler text (0.5): xxxxxxxx
  • Low reputation (1):
Posted by: John Seyi

79560495

Date: 2025-04-07 17:47:51
Score: 9.5 🚩
Natty: 5.5
Report link

Did you ever get that figured out?

Reasons:
  • RegEx Blacklisted phrase (3): Did you ever get that figured out
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): Did you
  • Low reputation (1):
Posted by: LTEAK

79560490

Date: 2025-04-07 17:43:50
Score: 2.5
Natty:
Report link

I was getting the same error after create on a 'strings.xml' a sentence like this:
"Let's go to move, it doesn't matter, keeping moving...!" After deleting the single quote (') the project works!!

Thanks so much.

It is incredible that a simple thing like this make that your whole project do

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

79560488

Date: 2025-04-07 17:42:49
Score: 6 🚩
Natty: 6.5
Report link

have you found a solution yet? I've been struggling with this issue myself for the past two days

Reasons:
  • RegEx Blacklisted phrase (2.5): have you found a solution yet
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Anuar

79560486

Date: 2025-04-07 17:39:48
Score: 2.5
Natty:
Report link

Here's the method I've used for years. This is not my original idea and I found it on StackOverflow. The reason why I use this specific approach is it because it allows me to keep things on one line, especially when using ternary methods where I want to control this or that flow of the logic. It allows you to keep everything in one line and instatiate the array on the fly. Very useful. Tried and true and I've been using it for years.

var exampleArray = [true, false, true, false];
(exampleArray .toString().match(/true/g) || []).length;

Reasons:
  • Blacklisted phrase (1): StackOverflow
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Alexander Dixon

79560483

Date: 2025-04-07 17:38:48
Score: 2.5
Natty:
Report link

It was an issue with how i was signing the request header.

Finally i used the SDK Provided by CyberSource

i got the link from their GitHub page - https://github.com/CyberSource

i used the node JS one and followed their instructions exactly to construct and make the request for refund. It went through.

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

79560479

Date: 2025-04-07 17:32:47
Score: 3
Natty:
Report link

Yup, old, but persistent question. Is there a way to make 'source without echo' the default, for all sessions, even after restarting RStudio? [Using 2024.12.1]. For most of my code (hundreds of lines to generate 2-3 lines of output), I absolutely loathe have each line written to the console. I know I can select 'Source without echo' from the Source dropdown, and that it is 'sticky' for that session. But I don't want it to be 'session-sticky', I want that to be a permanent behaviour?

Possible? If not, it really should be.

Reasons:
  • Blacklisted phrase (1): Is there a way
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: Johnny Canuck

79560470

Date: 2025-04-07 17:24:45
Score: 8 🚩
Natty:
Report link

Counterintuitively, removing "Codeable" conformance from the @Model protocol conformance list eliminates the error.

The Macro expansion is the issue.

See: "Cannot Synthesize" -- Why is this class not ready to be declared "@Model" for use with SwiftData?

Reasons:
  • RegEx Blacklisted phrase (0.5): Why is this
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • User mentioned (1): @Model
  • Self-answer (0.5):
  • Looks like a comment (1):
  • Low reputation (0.5):
Posted by: Andromeda

79560466

Date: 2025-04-07 17:21:44
Score: 2.5
Natty:
Report link

A constant-expression is a valid subset of an assignment-expression.

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

79560461

Date: 2025-04-07 17:19:43
Score: 2.5
Natty:
Report link

I used this article earlier today to add CAPTCHA to my website. It had me run this command and after following the steps it worked like a charm.

npm install ng-recaptcha  
Reasons:
  • Blacklisted phrase (1): this article
  • Blacklisted phrase (1): worked like a charm
  • Whitelisted phrase (-1): it worked
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Matt Beres

79560457

Date: 2025-04-07 17:18:43
Score: 4
Natty: 4
Report link

I also am looking for an answer to this.

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

79560453

Date: 2025-04-07 17:16:42
Score: 1
Natty:
Report link

By using while loop, write a JS program to print the numbers from 100 to 1.

<script type="text/javascript">
  for (let i =100; i >=1; i--) {
    if (i>0) {
      document.write('The Number is' + i + '<br>');
    }
  }
</script>

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

79560444

Date: 2025-04-07 17:11:40
Score: 3.5
Natty:
Report link

Use 'Run Current File in Interactive Window'.

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

79560442

Date: 2025-04-07 17:09:40
Score: 1.5
Natty:
Report link

https://tailwindcss.com/docs/adding-custom-styles#adding-custom-utilities

@import "tailwindcss";

@theme {
  /* ... */
}

@utility catpc {
    background-color: blue;
}
@utility catmobile {
  background-color: red;
}

This works for every utility class in the framework, which means you can change literally anything at a given breakpoint — even things like letter spacing or cursor styles.

https://tailwindcss.com/docs/responsive-design

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

79560428

Date: 2025-04-07 17:03:39
Score: 3
Natty:
Report link

The issue seems to stem from the way manual scaling is handled by the App Engine. When a new instance was trying to spawn it called /_ah/start endpoint, but since the instances were limited to 1 it was failing over and over again.

### Solution

Docs

https://cloud.google.com/appengine/docs/legacy/standard/python/how-instances-are-managed#startup[How Instances are managed](https://cloud.google.com/appengine/docs/legacy/standard/python/how-instances-are-managed#startup)

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

79560418

Date: 2025-04-07 16:59:37
Score: 1.5
Natty:
Report link

Check the number of rows vs clustering factor

select index_name, num_rows, clustering_factor from dba_indexes where index_name = <your index>;

If clustering_factor is > num_rows, the underlying table is fragmented so the index has a high clustering factor. Consider setting a clustering directive for the table, reorganize the table by doing an online move, and then rebuild the index.

https://docs.oracle.com/en/database/oracle/oracle-database/19/dwhsg/attribute-clustering.html#GUID-CFA30358-183D-4770-9A79-C6720BF9D753

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

79560412

Date: 2025-04-07 16:55:37
Score: 2
Natty:
Report link

I've been thinking about the same thing, I'm pretty sure the common thing is to have the listener thread off in to a bunch of individual server and clients and just run it indefinitely. I've been trying to think of problems.This would cause but I can't think of any so far... But then again I don't know what i'm doing.

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

79560410

Date: 2025-04-07 16:55:37
Score: 1
Natty:
Report link

I use my cursor to highlight/select the member variables of my java class (for example "protected Integer id;", which causes a small lightbulb icon to appear in the left margin. When I hover over this lightbulb, Visual Studio displays a tooltip that reads "Show Code Actions". When I click this lightbulb, a popup menu provides options to "Generate Getters and Setters", "Generate Getters", "Generate Setters", etc.

edit: I just noticed this question is tagged for C# but my answer is for Java. Rather than delete my answer I thought I'd just leave it here in case it helps someone else. Thank you.

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: iosparkletree

79560405

Date: 2025-04-07 16:49:35
Score: 1
Natty:
Report link

No, CLUSTER BY is not part of the syntax available when creating external tables in Snowflake. The documentation is always a good place to start with questions like this: https://docs.snowflake.com/en/sql-reference/sql/create-external-table

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

79560402

Date: 2025-04-07 16:47:34
Score: 2
Natty:
Report link

IO size is what is transported over the wire. It is typically application controlled. SQL/Exchange typically use 64KB IOsz. Your IOsz should be evenly divisible by your formatted blocksize but now a days might not have that much of an impact. Where it is important is when you are talking about SAN storage. A large IOsz that might be good for local disks can have a tremendously huge negative impact on SAN storage (Fibre Channel). So can very small. Go download the HPE Ninja stars tool and build a 3par/primera/alletra and look at the difference in service time and throughput for small IOsz 4K compared to 64K and 256K. You will have to multiply the IOsz by the IOPS for random workloads to understand the impact. Just as an example going form 64KB IOsz to 256KB IOsz gives you <7% increase in IO but a 3-4x increase in service times. Higher than 256KB it gets worse. You can usually tell what application is moving what IO based on the IOsz.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: SanGuy

79560391

Date: 2025-04-07 16:40:32
Score: 9 🚩
Natty: 5.5
Report link

did you get the answer of opening the parent app directly from shield action extension?

Reasons:
  • RegEx Blacklisted phrase (3): did you get the answer
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): did you
  • Low reputation (1):
Posted by: haider 792

79560384

Date: 2025-04-07 16:35:30
Score: 1
Natty:
Report link

Adding

[tool.setuptools.packages.find]
where = ["./"]
include = ["trapallada"]

did the trick for me (and I don't think I even need to run uv pip install -e . after uv sync).

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

79560375

Date: 2025-04-07 16:32:29
Score: 4
Natty:
Report link

DOH! I was checking an empty table by accident. My bad!

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

79560372

Date: 2025-04-07 16:30:28
Score: 3
Natty:
Report link

this problem seems to be a problem with the amount of consum at a time and limited IPs, the best solution could be to use multiple threads.

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

79560370

Date: 2025-04-07 16:27:27
Score: 1.5
Natty:
Report link

·         This consists of strategies to collectively identifying and understanding key challenges from different perspectives

·         Using this approach to co-design cutting-edge technological solutions that address locally articulated challenges

·         Taking the time to understand the articulation of key problems and challenges from a variety of perspectives

·         Identifying relevant solutions to these challenges and

·         Evaluating the potential adoption of these solutions from a variety of perspectives

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

79560354

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

A better way is to use

random.choices(items, k=5)

Replace k with the number of samples / choices you want to draw out of the population.

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

79560352

Date: 2025-04-07 16:16:24
Score: 2
Natty:
Report link

Yes it is possible to send HTML. My problem is axum server once run paths correctly in mac os and once not correctly. So to run complete app in cargo run command you have to download free src linux windows11 here: https://hrubos.org/repo/autoskola8net_full_axum_rust.zip or mac os here: https://hrubos.org/repo/autoskola8net_full_axum_rust_mac_os.zip But if you copy exec+assets to different folder axum simply once reads assets once not. ANY IDEAS WHY? My idea is button click and vuejs code is not synced to view, but this is nowhere in docu: When you click, one time it is false loaded one time it is true loaded:

use axum::routing::get;
use webbrowser;
use rand::prelude::*; //use crate of rand 
use std::fs; //use file system crate
use std::env::current_dir;
use std::path::PathBuf;
use std::path::Path;
use pathtrim::TrimmablePath;
use  std::env::current_exe;
//developed by Mgr. Jan Hrubos, GPLv3 License
#[tokio::main]
async fn main() {
    //println!("{}",cur_dir1());
    println!("----------------------------------------------------");
    println!("Starting Autoskola Free 8 server based on Axum Rust.");
    println!("----------------------------------------------------");
    if webbrowser::open("http://localhost:5500").is_ok() {
        println!("Default web browser opened! url: http://localhost:5500");
        println!("Press CTRL+C or CTRL+X to cancel the server.");
        println!("Mgr. Jan Hrubos, license GPLv3");
        println!("----------------------------------------------------");
    }else{
        println!("Default web browser not opened! Open it manually and run url: http://localhost:5500");
        println!("Press CTRL+C or CTRL+X to cancel the server.");
        println!("Mgr. Jan Hrubos, license GPLv3");
        println!("----------------------------------------------------");
    }
    let shared_state: AppState = AppState { num: 42 };
    let app = setup_routing(shared_state);
    let listener = tokio::net::TcpListener::bind("localhost:5500")
        .await
        .unwrap();
        
    
    let return1=axum::serve(listener, app).await.unwrap();
    println!("{:?}",return1);
    //webbrowser::open("http://localhost:5500/").expect("Failed to open URL in default browser!");
    

}

#[allow(dead_code)]
fn setup_routing(shared_state: AppState) -> axum::Router {
    axum::Router::new()
        .fallback(fallback)
        .nest_service("/assets", tower_http::services::ServeDir::new("assets"))
        .route("/", get(get_root))
        .route("/assets/m_sk8", get(get_msk8))
        .route("/assets/m_en8", get(get_men8))
        .route("/assets/en8", get(get_en8))
        .route("/assets/sk8", get(get_sk8))
        .with_state(shared_state) // only adds state to all prior routes
}


async fn fallback(uri: axum::http::Uri) -> impl axum::response::IntoResponse {
    (axum::http::StatusCode::NOT_FOUND, format!("No route defined in your elf/exe server program: {uri}"))
}

//function returning the current directory of exe/elf+html for mac os system
//we need 5 or them to bypass &str + &str
fn cur_dir1()->String{
    let path = process_path::get_executable_path();
    match path {
        None => String::from("The process path could not be determined... "),
        Some(path) => {
            let len = path.clone().into_os_string().into_string().expect("Can not shorten path of 10 chars from end == minus autoskola3").chars().count();
            let outa_path_exe=path.clone().into_os_string().into_string().expect("Can not shorten path of 10 chars from end == minus autoskola3").drain(0..len).collect::<String>();
            let to_replace=String::from("/");
            let mut del_farther:usize=0;
            if let Some(last_index) = outa_path_exe.as_str().rfind(&to_replace.as_str()) {
                del_farther = last_index;
            }
            (outa_path_exe.as_str()[0..del_farther].to_string()+"/assets/index.html")       
        }   
    }  
}

//function returning the current directory of exe/elf+html for mac os system
//we need 5 or them to bypass &str + &str
fn cur_dir2()->String{
    let path = process_path::get_executable_path();
    match path {
        None => String::from("The process path could not be determined... "),
        Some(path) => {
            let len = path.clone().into_os_string().into_string().expect("Can not shorten path of 10 chars from end == minus autoskola3").chars().count();
            let outa_path_exe=path.clone().into_os_string().into_string().expect("Can not shorten path of 10 chars from end == minus autoskola3").drain(0..len).collect::<String>();
            let to_replace=String::from("/");
            let mut del_farther:usize=0;
            if let Some(last_index) = outa_path_exe.as_str().rfind(&to_replace.as_str()) {
                del_farther = last_index;
            }
            (outa_path_exe.as_str()[0..del_farther].to_string()+"/assets/m_sk8/index.html")     
        }   
    }  
}

//function returning the current directory of exe/elf+html for mac os system
//we need 5 or them to bypass &str + &str
fn cur_dir3()->String{
    let path = process_path::get_executable_path();
    match path {
        None => String::from("The process path could not be determined... "),
        Some(path) => {
            let len = path.clone().into_os_string().into_string().expect("Can not shorten path of 10 chars from end == minus autoskola3").chars().count();
            let outa_path_exe=path.clone().into_os_string().into_string().expect("Can not shorten path of 10 chars from end == minus autoskola3").drain(0..len).collect::<String>();
            let to_replace=String::from("/");
            let mut del_farther:usize=0;
            if let Some(last_index) = outa_path_exe.as_str().rfind(&to_replace.as_str()) {
                del_farther = last_index;
            }
            (outa_path_exe.as_str()[0..del_farther].to_string()+"/assets/m_en8/index.html")     
        }   
    }  
}

//function returning the current directory of exe/elf+html for mac os system
//we need 5 or them to bypass &str + &str
fn cur_dir4()->String{
    let path = process_path::get_executable_path();
    match path {
        None => String::from("The process path could not be determined... "),
        Some(path) => {
            let len = path.clone().into_os_string().into_string().expect("Can not shorten path of 10 chars from end == minus autoskola3").chars().count();
            let outa_path_exe=path.clone().into_os_string().into_string().expect("Can not shorten path of 10 chars from end == minus autoskola3").drain(0..len).collect::<String>();
            let to_replace=String::from("/");
            let mut del_farther:usize=0;
            if let Some(last_index) = outa_path_exe.as_str().rfind(&to_replace.as_str()) {
                del_farther = last_index;
            }
            (outa_path_exe.as_str()[0..del_farther].to_string()+"/assets/sk8/index.html")       
        }   
    }  
}

fn cur_dir5()->String{
    let path = process_path::get_executable_path();
    match path {
        None => String::from("The process path could not be determined... "),
        Some(path) => {
            let len = path.clone().into_os_string().into_string().expect("Can not shorten path of 10 chars from end == minus autoskola3").chars().count();
            let outa_path_exe=path.clone().into_os_string().into_string().expect("Can not shorten path of 10 chars from end == minus autoskola3").drain(0..len).collect::<String>();
            let to_replace=String::from("/");
            let mut del_farther:usize=0;
            if let Some(last_index) = outa_path_exe.as_str().rfind(&to_replace.as_str()) {
                del_farther = last_index;
            }
            (outa_path_exe.as_str()[0..del_farther].to_string()+"/assets/en8/index.html")       
        }   
    }  
}


async fn get_root() -> axum::response::Html<&'static str> {
    load_file::load_str!(&cur_dir1()).into()
}

async fn get_msk8() -> axum::response::Html<&'static str> {
    load_file::load_str!(&cur_dir2()).into()
}

async fn get_men8() -> axum::response::Html<&'static str> {
    load_file::load_str!(&cur_dir3()).into()
}

async fn get_sk8() -> axum::response::Html<&'static str> {
    load_file::load_str!(&cur_dir4()).into()
}

async fn get_en8() -> axum::response::Html<&'static str> {
    load_file::load_str!(&cur_dir5()).into()
}


#[derive(Clone, Debug, Copy)]
#[allow(dead_code)]
pub struct AppState {
    num: i32,
}

Frontend one from many components is clicking to mobile sk asla:

import SecondComponent from "./SecondComponent.js"

export default {  
  name: "AppM8sk",
  components: {
    SecondComponent,
  },
  data() {
    return {      
      qtxt: "",
      atxt:"",
      imgsrc:"../resources/empty.jpg",
      qnum: 1,
      showa: false
    }
  },
  template: ` 
  
    <div class="flex flex-col items-center h-100 place-content-center overflow-visible mt-5 mb-5 ml-8 mr-8">
        <div class="grid grid-cols-1 gap-2 content-center w-64 rounded-lg text-center h-100 overflow-visible">
          <div @click="returnToIndex" class="text-xl cursor-wait">Autoškola Free 8 - slovenský test pre mobily [klikni sem]</div>
          <button class="px-4 py-2 font-semibold text-sm bg-blue-600 text-white rounded-md shadow-sm hover:scale-125 ease-in-out duration-700" 
          @click="randomLawSk">Náhodný zákon</button>
          <button class="px-4 py-2 font-semibold text-sm bg-blue-600 text-white rounded-md shadow-sm hover:scale-125 ease-in-out duration-700" 
          @click="randomSignSk">Náhodná značka</button>      
          <button class="px-4 py-2 font-semibold text-sm bg-blue-600 text-white rounded-md shadow-sm hover:scale-125 ease-in-out duration-700" 
          @click="randomIntersectionSk">Náhodná križovatka</button>      
          <button class="px-4 py-2 font-semibold text-sm bg-blue-600 text-white rounded-md shadow-sm hover:scale-125 ease-in-out duration-700" 
          @click="showAnswerSk">Ukáž odpoveď</button> 
               
        </div>
        <div class="flex flex-col w-screen items-center place-content-center overflow-visible mt-5 mb-20">
          <div class="grid grid-cols-1 justify-items-center gap-2 w-screen rounded-lg text-center h-100 overflow-visible">
            <img :class="[signVsIntersection?'lg:min-w-[600] lg:max-w-[600] sm:w-3/5 md:w-3/5':'']" :src="setImgSrc()"><br> 

            <div class="mb-1 mr-8 ml-8"><span v-if="qtxt">Otázka:</span> {{ qtxt }} </div>      
            <div class="mb-8 mr-8 ml-8"><span v-if="qtxt && showa">Odpoveď: {{ atxt }} </span></div> 
          </div>
        </div>
      </div>
    
    `,
    computed:{
      signVsIntersection(){ //under 145 is sign, over is intersection
        if (this.qnum<145) {return false} else {return true}
        //and we wanna toggle min==max 600px only for intersections but switch off class for signs
      }
    },
    methods:{
      setImgSrc(){
        return this.imgsrc
      },
      randomSignSk(){
        let num1= Math.floor(Math.random()*143)+1
        this.qnum=num1
        this.atxt=""
        this.showa=false
        
        
        let text1 = fetch("../resources/sk/otzn/z_"+num1+".txt").then(response => {
          if (!response.ok) {
              throw new Error("HTTP error " + response.status)
          }
          return response.text()
          })
          .then(text => {
              this.qtxt=text + String("[Môžeš editovať v " + "/resources/sk/otzn/z_"+num1+".txt]")
          })
          .catch(error => {
              // Handle/report error
              console.log(error.message)
          })


          let text2 = fetch("../resources/sk/otzn/zo_"+num1+".txt").then(response2 => {
            if (!response2.ok) {
                throw new Error("HTTP error " + response2.status)
            }
            return response2.text()
            })
            .then(textb => {
                this.atxt=textb
            })
            .catch(error2 => {
                // Handle/report error
                console.log(error2.message)
            })


        this.imgsrc="../resources/sk/znackyobr/z"+num1+".jpg"
        this.qtxt=text2 
        
      },
      showAnswerSk(){
        this.showa=true
      },
      randomIntersectionSk(){
        let num1= Math.floor(Math.random()*143)+145
        this.qnum=num1
        this.atxt=""
        this.showa=false
        
        
        let text1 = fetch("../resources/sk/otzn/z_"+num1+".txt").then(response => {
          if (!response.ok) {
              throw new Error("HTTP error " + response.status)
          }
          return response.text()
          })
          .then(text => {
              this.qtxt=text + String("[Môžeš editovať v " + "/resources/sk/otzn/z_"+num1+".txt]")
          })
          .catch(error => {
              // Handle/report error
              console.log(error.message)
          })


          let text2 = fetch("../resources/sk/otzn/zo_"+num1+".txt").then(response2 => {
            if (!response2.ok) {
                throw new Error("HTTP error " + response2.status)
            }
            return response2.text()
            })
            .then(textb => {
                this.atxt=textb
            })
            .catch(error2 => {
                // Handle/report error
                console.log(error2.message)
            })


        this.imgsrc="../resources/sk/znackyobr/z"+num1+".jpg"
        this.qtxt=text2


      },
      randomLawSk(){
        let num3= Math.floor(Math.random()*524)+1
        this.qnum=num3
        this.atxt=""
        this.showa=false
        
        
        let text3 = fetch("../resources/sk/otza/za_"+num3+".txt").then(response => {
          if (!response.ok) {
              throw new Error("HTTP error " + response.status)
          }
          return response.text()
          })
          .then(text => {
              this.qtxt=text + String("[Môžeš editovať v " + "/resources/sk/otza/za_"+num3+".txt]")
          })
          .catch(error => {
              // Handle/report error
              console.log(error.message)
          })


          let text4 = fetch("../resources/sk/otza/zao_"+num3+".txt").then(response2 => {
            if (!response2.ok) {
                throw new Error("HTTP error " + response2.status)
            }
            return response2.text()
            })
            .then(textc => {
                this.atxt=textc
            })
            .catch(error2 => {
                // Handle/report error
                console.log(error2.message)
            })


        this.imgsrc=""
        this.qtxt=text4
      },
      returnToIndex(){
        let fullPath1= window.location.protocol+"//"+window.location.hostname+":"+window.location.port+window.location.pathname
        let pathArray1=fullPath1.split("/")
        pathArray1.pop()
        let compound1=""
        for(let i=0;i<=pathArray1.lengt-1;i++){
          if (i===0){
            compound1+=pathArray1[i]+"/"  
          }else{
            compound1+=pathArray1[i]+"/"
          }          
        } 
        //alert(compound1)
        window.location.assign(compound1+"/")
      }
    }
}

enter image description hereenter image description hereenter image description here

Reasons:
  • Blacklisted phrase (0.5): WHY?
  • Blacklisted phrase (1): ANY IDEAS
  • Probably link only (1):
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: Lesna Vevericka

79560347

Date: 2025-04-07 16:13:23
Score: 2.5
Natty:
Report link

Sauravh.sauravh my facebook account hack and gmail ID password.mobile number hack please login my account helped to me , this is my account not recover for1 year my hacked fb account

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

79560345

Date: 2025-04-07 16:12:23
Score: 1.5
Natty:
Report link

I had a similar issue, uninstalling k3s with the script:

/usr/local/bin/k3s-uninstall.sh
// Or Agents
/usr/local/bin/k3s-agent-uninstall.sh
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Saed Farah

79560339

Date: 2025-04-07 16:10:22
Score: 1
Natty:
Report link

try this on the element

 style={{ fontSize: "100%", whiteSpace: "nowrap" }}
Reasons:
  • Whitelisted phrase (-1): try this
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Bloody Kheeng

79560335

Date: 2025-04-07 16:07:21
Score: 11 🚩
Natty: 6.5
Report link

I am having the exact same issue where Autodesk.Revit.Exceptions.InvalidOperationException: 'This Element cannot have type assigned.' gets thrown.

How did you manage to solve this ?

Reasons:
  • RegEx Blacklisted phrase (3): did you manage to solve this
  • RegEx Blacklisted phrase (1.5): solve this ?
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I am having the exact same issue
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: dev_imaging

79560331

Date: 2025-04-07 16:05:21
Score: 2
Natty:
Report link

With this formula :

@.{high_name : high_name, sections : sections[*].{name : name, item: [item,items_sub[*].*[]][]}}

You can get this :

{
  "high_name": "test",
  "sections": [
    {
      "name": "section1",
      "item": [
        "string1"
      ]
    },
    {
      "name": "section2",
      "item": [
        "string2",
        "deeper string1"
      ]
    }
  ]
}

As you can see I retrieved the string2 with the deep string1 instead of string1, so please tell me if you made a mistakes in your question or you really want string1

Reasons:
  • RegEx Blacklisted phrase (2.5): please tell me
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: bosskay972

79560329

Date: 2025-04-07 16:03:20
Score: 1.5
Natty:
Report link

It happened to me on Firefox for Android.

I just clicked on the icon of padlock next to the address bar, there I've had "Location", clicked "Allow", and it worked.

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

79560323

Date: 2025-04-07 15:59:19
Score: 2
Natty:
Report link

If you are making an async call to another API after the user authenticates, Why not just use a post-login action? It's what it is designed for. Or, if this should only occur during a registration flow, better yet -- a post-registration action.

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Danny

79560320

Date: 2025-04-07 15:58:19
Score: 3.5
Natty:
Report link

probably u have not downloaded eslint_d . Download it using mason and it will work(hope)

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

79560317

Date: 2025-04-07 15:56:18
Score: 5
Natty: 5
Report link

i can here to understand sigaction(); function because im working on a project that called minitalk in 42 school so i was wondering how can i send a message from server to client using sigaction and other functions also use SIGUSR1 and SIGUSR2

Reasons:
  • Blacklisted phrase (0.5): how can i
  • Blacklisted phrase (2): was wondering
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: zakariya elkharroubi

79560304

Date: 2025-04-07 15:53:17
Score: 0.5
Natty:
Report link

I think I found half-way solution, which should work in my case. We use web view only for login, once cooke is obtained and put into secure storage we discard webview. So in that case before get rid of webview, what I need to do is to clear cookies and save the empty jar to the disk. In my case of fandroid application I missed just one step:

await CookieManager.clearAll();
await CookieManager.flush();

all other parameters for WebView like cacheMode and incognitoMode etc do not matter.

Reasons:
  • Blacklisted phrase (0.5): I need
  • Has code block (-0.5):
  • Self-answer (0.5):
Posted by: Andrey Khataev

79560298

Date: 2025-04-07 15:49:16
Score: 1.5
Natty:
Report link

I was not calling the file correctly according to the file structure. Fix is below.

get_template_part( 'library/template-parts/partial', 'banner' );
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Mitchell Bennett

79560296

Date: 2025-04-07 15:49:15
Score: 9.5 🚩
Natty: 4
Report link

Did you find any solution? libx264 now have flag AV_CODEC_CAP_ENCODER_FLUSH for x264

https://github.com/FFmpeg/FFmpeg/blob/master/libavcodec/libx264.c

But I can't understand - how make it working. When I use avcodec_flush_buffers then after switching to next stream I just got in log

lookahead thread is already stopped

Error sending video frame for encoding: Generic error in an external library

Reasons:
  • Blacklisted phrase (1.5): any solution
  • RegEx Blacklisted phrase (3): Did you find any solution
  • RegEx Blacklisted phrase (2): any solution?
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): Did you find any solution
  • Low reputation (1):
Posted by: Andrey Korobeynikov

79560282

Date: 2025-04-07 15:40:12
Score: 4.5
Natty: 5.5
Report link

We discussed this on the GitHub issues site: https://github.com/grpc/grpc-java/issues/11763

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

79560278

Date: 2025-04-07 15:39:12
Score: 1.5
Natty:
Report link

I needed very similar feature years ago and I implemented it using

They allow you to disable NC setpoint generation and calculate the setpoints yourself. MC_ExtSetPointGenFeed should be executed in a task with cycle time equal to your motion task (2ms by default). For my use case it was acceptable to assume infinite jerk and calculate only position, velocity and acceleration

Reasons:
  • Blacklisted phrase (0.5): I need
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Jacek Domański

79560276

Date: 2025-04-07 15:39:12
Score: 0.5
Natty:
Report link

If you're using SAS, another helpful resource to help track down problems with this is Microsoft's best practices section on SAS. I found the reason I was getting the error Server failed to authenticate the request. Make sure the value of Authorization header is formed correctly including the signature. was from clock skew between machines. Their recommended practice is to set the start time for the SAS to 15 minutes in the past, or to not set the start time at all.

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

79560273

Date: 2025-04-07 15:36:11
Score: 2.5
Natty:
Report link

Try breaking your data insertion into smaller batches or you can optimise the import operation either by adjusting the batch size or by using bulk loading( functionality (COPY INTO command) which is highly optimized for large volumes of data)

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

79560268

Date: 2025-04-07 15:34:11
Score: 0.5
Natty:
Report link

You can keep things simple by splitting the queries:

cursor.execute('USE my_db')
cursor.execute('SELECT * FROM my_table')

GUI tools usually manage the context (i.e., the selected database) behind the scenes. Python connector is more strict—you need to explicitly fetch from each result in a multi=True call.

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Pedro Rodriguez Larez

79560258

Date: 2025-04-07 15:29:10
Score: 2.5
Natty:
Report link

It can happen due to changing ip addresses. Just restart your mac and iphone and make sure both are conneted to same network. Mine error solved and make sure you have enabled automatically manage signing in the xcode means your real device should be recoganized in the provisioning profile.

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

79560254

Date: 2025-04-07 15:27:09
Score: 1
Natty:
Report link

There is an open GitHub issue in relation to adding Sign in with Google via a shortcode, which would make your objective easier. Chime in on the below GitHub issue and subscribe for updates:
https://github.com/google/site-kit-wp/issues/10150

There may also be plugins that allow you to insert blocks into shortcodes or into WordPress hooks. Here's one such example: https://wordpress.org/plugins/blocks-to-shortcode/

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

79560252

Date: 2025-04-07 15:26:08
Score: 1
Natty:
Report link

System.Web.Http is not supported in .NET 8. You have to migrate from ASP.NET Web API to ASP.NET Core Web API. You are getting HttpError 404 because of this issue. Please see this link for more help: https://learn.microsoft.com/en-us/aspnet/core/migration/webapi?view=aspnetcore-8.0&tabs=visual-studio.

To solve your issue, try updating your Controller code as follows:

using Microsoft.AspNetCore.Mvc;
//using System.Web.Http;

namespace WebApiApplication1.Controllers
{
    [Route("api/[controller]")]
    [ApiController]
    public class MyController : ControllerBase
    {
        [HttpGet]
        [Route("getdata")]
        public IActionResult GetData(string param1, string param2)
        {
            if (string.IsNullOrEmpty(param1) || string.IsNullOrEmpty(param2))
            {
                return BadRequest("Both param1 and param2 are required.");
            }

            return Ok(new { Message = "Get: Data received", Param1 = param1, Param2 = param2 });
        }
    }
}
Reasons:
  • Blacklisted phrase (1): this link
  • RegEx Blacklisted phrase (1): see this link
  • Long answer (-0.5):
  • Has code block (-0.5):
Posted by: SoftwareDveloper

79560248

Date: 2025-04-07 15:24:08
Score: 0.5
Natty:
Report link

You can simply use showInLegend set to false: https://api.highcharts.com/highcharts/series.pie.showInLegend

You can modify your config like so:

{
    name: 'acknowledged',
    y: acknowledgedWarnings,
    color: 'grey',
    showInLegend: false // Hide this from the legend
}, ...

You can still use itemClick for interaction if needed.

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Andrzej Bułeczka

79560241

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

This felt most readable for me:

event1, event2 = [call.args[0] for call in mocked_method.call_args_list]

While the call object is messy, it does make it easier to separate the args and kwargs compared to if it was just a tuple.

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

79560236

Date: 2025-04-07 15:17:06
Score: 0.5
Natty:
Report link

UIImagePickerController. PHPickerViewController was found on my iphone's analytical data. I am checking this kind of stuff daily because my phone is being monitored and vandalized for the past 3 yrs every single day. I think that you would implicit permissions to install this picker controller on someone else'e device remotely. It is indeed another program to hack and access data and or to intentionally steal data or to spy on what the user us doing on their phones. This is another clear way to harass, stalk, compromise and or drive a person crazy just because they want to "get back at you." I know who is installing new malware or hacking programs on my iphone. It is a abusive ex boyfriend who I broke up with 3yrs ago who had access to my phone while I was sleeping. I hope by gathering the proof of illegal activity can be seen in the iphone anaylitics data I am sharing daily with Apple and law enforcement as well. If you see things that are definitely not right on your iphone please report it too. Maybe if many of us stand up for our rights to fundamental rights for our privacy these kinds of malicious behavior will be easier to prosecute in a court of law.

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Cheryl

79560230

Date: 2025-04-07 15:15:05
Score: 1
Natty:
Report link

Here's the real answer : Open Chrome Web Extensions and install "YouTube Screenshot". That's all, folks! No need to download the video.

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

79560226

Date: 2025-04-07 15:13:04
Score: 2
Natty:
Report link

Please consider providing more details (e.g., the initial file sample and the desired output) about the problem on our forum, so we can try to help you with Aspose.CAD.

Disclosure: I work as Aspose.CAD developer at Aspose.

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

79560220

Date: 2025-04-07 15:07:03
Score: 1.5
Natty:
Report link

Solved! Same issue, API wasn't able to find some voices when I used API key created 2 years ago, so:

With a new API key I can get all voices!

Reasons:
  • RegEx Blacklisted phrase (1): Same issue
  • Low length (1):
  • No code block (0.5):
  • High reputation (-1):
Posted by: Anton Eregin

79560217

Date: 2025-04-07 15:07:03
Score: 3
Natty:
Report link

Done, Unsubscribe, Save. This article helped me decode them (and it gives more info on what those actions mean).

Reasons:
  • Blacklisted phrase (1): This article
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
Posted by: Andrew Richards

79560216

Date: 2025-04-07 15:06:03
Score: 1
Natty:
Report link

If your object looks like this: { "productId": 3, "name": "Product A" }

You should change the HTML to: <button (click)="deleteProduct(course.productId)">Delete

In your component: deleteProduct(id: number) { console.log("Deleting product with ID:", id); if (!id) { console.error("Product ID is invalid:", id); return; } this.dataService.deleteProduct(id).subscribe({ next: (response) => { alert("Deleted"); window.location.reload(); // not the best UX, consider updating the list instead }, error: (err) => { console.error("Error deleting product", err); } }); }

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

79560215

Date: 2025-04-07 15:06:03
Score: 2.5
Natty:
Report link

Yes you cannot just return new call.Listener() as the return type needs to be a ServerCall.Listener<ReqT> . Unfortunately we are not expert enough with Gosu to suggest how to resolve your compilation error.

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

79560214

Date: 2025-04-07 15:06:03
Score: 3.5
Natty:
Report link

Starting in Visual Studio 2022 version 17.13 Preview 1, you can set the default encoding for saving files.

To set the default, choose Tools > Options > Environment, Documents. Next, select Save files with the following encoding, and then select the encoding you want as the default.

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

79560203

Date: 2025-04-07 15:01:01
Score: 2
Natty:
Report link

in your wsgi.py file in your settings folder add

app = application
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Wisdom Aramenkhose