79562624

Date: 2025-04-08 16:51:27
Score: 1
Natty:
Report link

@Reference (or its more current equivalent @DBRef) tells Spring Data to store a reference (like an ObjectId) to another document, not to embed it.

You must save Z documents first:

Z zObj = zRepository.save(new Z(...)); // save first
Grp grp = new Grp();
grp.setX("someValue");
grp.setY(List.of(zObj));
grpRepository.save(grp); // now it will store the DBRef

or

You've to embed Z directly inside grp

Then don’t use @Reference — just declare it as a regular field:

private List<Z> y;
Reasons:
  • Has code block (-0.5):
  • User mentioned (1): @Reference
  • User mentioned (0): @DBRef
  • User mentioned (0): @Reference
  • Low reputation (0.5):
Posted by: Vijay

79562612

Date: 2025-04-08 16:44:25
Score: 2
Natty:
Report link

Finally i had to comp up with removing cors from parse server itself. I edited /root/parse-server/node_modules/parse-server/lib/middlewares.js and commented out all the res.header(...) lines that set Access-Control-Allow-*. This disabled Parse's built-in CORS behavior, so Nginx could take over cleanly.

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

79562605

Date: 2025-04-08 16:40:24
Score: 1.5
Natty:
Report link

Got the Answer..

Don't understand why the down voting - very unnecessary..

This is the code.

function list-my-gh-pages() {
  curl -s "https://api.github.com/users/YOUR_USERNAME/repos?per_page=100" | \
  jq -r '.[] | select(.has_pages) | "\(.name): https://\(.owner.login).github.io/\(.name)"'
}

and run it:

list-my-gh-pages

works exactly like I want it to.

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

79562604

Date: 2025-04-08 16:38:24
Score: 1
Natty:
Report link

If you want to force Fortran free-form highlighting you can change this in the fortran syntax file at /usr/share/vim/vim91/syntax/fortran.vim. Find the corresponding file extension case for your situation and change it to:

let b:fortran_fixed_source = 0
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Samm Elliott

79562599

Date: 2025-04-08 16:37:23
Score: 0.5
Natty:
Report link

The simplest way is to use HTML. Swing components support basic html.

DefaultModel table_model = (DefaultTableModel) tblMyTable.getModel();
String cell = "<html><font color='red'>This is red</font></html>";
Object[] row = {cell,"Another cell"};
table_model.addRow(row); 
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: OSXMonk

79562582

Date: 2025-04-08 16:26:21
Score: 0.5
Natty:
Report link

Glossaries are indeed the best way to set terminology requirements.

Each project in Crowdin has an automatically created glossary.

You can find the list of glossaries at the organization level under the Glossaries tab. Alternatively, open the project settings, go to the Glossaries tab, find the glossary you need, click the three dots next to it, and select Edit. On the Glossary page, click Add concept, then define a term in all languages where the required terminology should be used.

A concept is an entity that unites all terms referring to the same idea or object. It includes a description to explain what the concept means. A term is how we call that concept in a specific language. One concept can have multiple terms per language — for example, a preferred term, a short form, or even deprecated variants.

To ensure translators follow the terminology recommendations, make sure to enable the Consistent Terminology QA check in the Quality Assurance Settings of your project. This way, you or a linguist would either see a warning indicator for inconsistent terms on the project’s dashboard or, if strict QA checks are enforced, prevent translators from submitting translations that don’t follow the terminology rules.

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

79562579

Date: 2025-04-08 16:24:20
Score: 0.5
Natty:
Report link

Graphing your data using package memory_graph can help your understanding of the Python Data Model:

import memory_graph as mg # see link above for install instructions

arr1 = []
arr2 = [1, 2]
arr1.append(arr2)
arr2[0] = 5  # change of value
mg.render(locals(), 'graph1.png')  # graph the local variables

graph1.png

A change of a value of mutable type list effects all that share the value, arr1 and arr2.

arr2 = [6]   # name rebinding 
print(arr1)
mg.render(locals(), 'graph2.png')  # graph the local variables

graph2.png

Name rebinding only effects the arr2 variable that is rebound.

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

79562574

Date: 2025-04-08 16:22:19
Score: 3
Natty:
Report link

I have the exact same problems

        Dim somedata = jsonHelper.GetPostorDeleteBasedOnPostAndRealBodyData(payLoadString)
        Dim getdeleteorpost = somedata.Item1
        Dim usedPayloadString = somedata.Item2

works fine

but

Dim (getdeleteorpost, usedPayloadString) = jsonHelper.GetPostorDeleteBasedOnPostAndRealBodyData(payLoadString) 

doesn't work

I tried to look around and find this question.

According to chatGPT. VB.net simply doesn't support this.

So your solution for now is to just use this syntax

        Dim somedata = jsonHelper.GetPostorDeleteBasedOnPostAndRealBodyData(payLoadString)
        Dim getdeleteorpost = somedata.Item1
        Dim usedPayloadString = somedata.Item2

Excerpts from my ChatGPT conversation. I am sure it insists it works for VB 15.3+. But now it changes it's mind.

So noone can do VB.NET tuple deconstruction syntax yet

ChatGPT said:

Correct — VB.NET does not support tuple deconstruction syntax like:

vb.net

CopyEdit

Dim (x, y) = GetTuple()

Even in the latest .NET versions (including .NET 9), VB.NET’s language features have remained mostly frozen, and that syntax has never been added.


✅ What's Supported in VB.NET

You can still use tuples — just not with deconstruction:

vb.net

CopyEdit

Dim result = GetStuff() Dim x = result.Item1 Dim y = result.Item2

Or, for better clarity:

vb.net

CopyEdit

Public Function GetStuff() As (name As String, age As Integer) Return ("Alice", 30) End Function

Then access with:

vb.net

CopyEdit

Dim person = GetStuff() Console.WriteLine(person.name) Console.WriteLine(person.age)

✔️ Named tuple fields work.
❌ Deconstruction doesn’t.


⚠️ Why?

Microsoft has shifted VB.NET into maintenance mode. That means:


If you ever switch to C#, you can do tuple deconstruction — but for now, in VB.NET, you’re stuck with Item1, or named fields only. Let me know if you'd like the C# equivalent or tips on making VB.NET cleaner.

Reasons:
  • Blacklisted phrase (0.5): Why?
  • Long answer (-1):
  • Has code block (-0.5):
  • Me too answer (2.5): I have the exact same problem
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Andri Timur

79562570

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

in my case i needed to enable legacy providers in the openssl configuration before running php bin/console lexik:jwt:generate-keypair --overwrite.

this link explains how to enable legacy providers :

https://www.php.net/manual/en/function.openssl-pkcs12-read.php#128941

Reasons:
  • Blacklisted phrase (0.5): i need
  • Blacklisted phrase (1): this link
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: amine laksir

79562564

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

If you're using any plugins which could change that value, you'll want to put the configuration line in after those plugins are loaded. For example, if you have a color scheme plugin, you may want to put vim.api.nvim_set_hl(0, "ColorColumn", { ctermbg='Red', bg='Red' }) in the configuration of the color scheme or in a config file which loads afterwards. I suspect you put the right code in, but it was just getting overwritten later.

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

79562544

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

I was able to resolve this issue.

The problem was with the encoded_userdata. I initially had the following line in my code:

encoded_userdata = base64.b64encode(day0_config_content.encode()).decode()

Removing that line entirely and just passing the raw JSON string directly worked:

day0_config_content = json.dumps(ftd_config, indent=4)

ftd_vm_create["vm_customization_config"] = {
    "datasource_type": "CONFIG_DRIVE_V2",
    "files_to_inject_list": [],
    "fresh_install": True,
    "userdata": day0_config_content,
}

After removing the Base64 encoding, the password started working correctly, and I was able to log in with the AdminPassword provided in the Day 0 config.

Hope this helps someone else facing the same issue.

Reasons:
  • Whitelisted phrase (-1): Hope this helps
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): facing the same issue
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Usman Rafiq

79562543

Date: 2025-04-08 16:04:14
Score: 7.5 🚩
Natty: 4
Report link

Qudos!

30 chracters, why?............

Reasons:
  • Blacklisted phrase (0.5): why?
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Has no white space (0.5):
  • No latin characters (0.5):
  • Filler text (0.5): ............
  • Low reputation (1):
Posted by: Stanisław Łazowy

79562541

Date: 2025-04-08 16:02:13
Score: 2.5
Natty:
Report link

This is/was a bug. see https://github.com/quarkusio/quarkus/issues/47098. It has been fixed and released in https://github.com/quarkusio/quarkus/releases/tag/3.21.1

If you can't upgrade, a workaround exists. add the following to the application.properties file:

quarkus.arc.unremovable-types=io.quarkus.smallrye.reactivemessaging.rabbitmq.runtime.RabbitmqClientConfigCustomizer
quarkus.index-dependency.rabbitmq.group-id=io.quarkus
quarkus.index-dependency.rabbitmq.artifact-id=quarkus-messaging-rabbitmq

Thanks to ozangunalp and cescoffier for providing the answer.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Probably link only (1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Charlie Walker

79562535

Date: 2025-04-08 16:00:13
Score: 3.5
Natty:
Report link

No, that part is rendered by the browser and follows browser set fonts.

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

79562527

Date: 2025-04-08 15:56:11
Score: 3.5
Natty:
Report link

For the wsimport task, one can use the "disableXmlSecurity" argument.

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

79562526

Date: 2025-04-08 15:55:11
Score: 4
Natty: 4.5
Report link

Another option for a maintained package for this use-case: https://packagist.org/packages/wikimedia/minify

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

79562524

Date: 2025-04-08 15:54:10
Score: 4.5
Natty:
Report link

Thanks for this discussion, I am trying to the same for my application but I have to do this for several images sequentially, So I tried the same but in a for loop, for eg:

for i_ in range(2):
    fig, ax = plt.subplots()

    # ax.add_artist(ab)

    for row in range(1,30):
        tolerance = 30 # points
        ax.plot(np.arange(0,15,0.5),[i*row/i for i in range(1,15*2+1)], 'ro-', picker=tolerance, zorder=0)


    fig.canvas.callbacks.connect('pick_event', on_pick)
    klicker = clicker(ax, ["event"], markers=["x"], **{"linestyle": "--"})


    plt.draw()
    plt.savefig('add_picture_matplotlib_figure_{i_}.png',bbox_inches='tight')
    plt.show()

But i get the click functionality only for the last image. How can i get it done for all the images?




Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (0.5): How can i
  • Blacklisted phrase (1): I have to do
  • Blacklisted phrase (1): I am trying to
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: Seena

79562520

Date: 2025-04-08 15:53:09
Score: 0.5
Natty:
Report link

I know this is an old question, but recently I need to do something like this and didn't find a simple answer googling for it. And bothers me that I need to create solutions if UNPIVOT can be used for it in a simple way. So, I create 2 UNPIVOT group of columns with a value for each. I think is more readable and clean.

SELECT 
    UNPVT_GROUP2.*
FROM (
    SELECT * FROM DB.SCHEMA.TABLE 
) TBL UNPIVOT (
    GROUP1_VALUE FOR GROUP1_NAME IN (COL_G1_01, COL_G1_02, COL_G1_03)
) UNPVT_GROUP1 UNPIVOT (
    GROUP2_VALUE FOR GROUP2_NAME IN (COL_G2_01, COL_G2_02, COL_G2_03)
) UNPVT_GROUP2 
WHERE
    UNPVT_GROUP2.FILTER_COL = 'FILTERVALUE';

Remembering that you can only read the fields from the last UNPIVOT, in this case UNPVT_GROUP2. If you try to do something like UNPVT_GROUP1.COL1, you'll get an error message like: "The column prefix 'UNPVT_GROUP1' does not match with a table name or alias name used in the query."

I hope this can help someone with the same problem as mine. Cheers!

Reasons:
  • Blacklisted phrase (1): Cheers
  • Blacklisted phrase (0.5): I need
  • Whitelisted phrase (-1): hope this can help
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Luiz Coelho

79562519

Date: 2025-04-08 15:52:09
Score: 4.5
Natty: 5.5
Report link

what is the js in the first comment before the html

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): what is the
  • Low reputation (1):
Posted by: kittygurl

79562501

Date: 2025-04-08 15:46:07
Score: 4
Natty:
Report link

Agree with @Nguyen above- I had this error across Mac and PC, simply restarting the kernel in Jupyter fixed it in both cases.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • User mentioned (1): @Nguyen
  • Single line (0.5):
  • Low reputation (1):
Posted by: Victor Perotti

79562495

Date: 2025-04-08 15:44:05
Score: 4.5
Natty:
Report link

There is a thread for this bug in Apple Developer Forums: https://developer.apple.com/forums/thread/778471

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

79562494

Date: 2025-04-08 15:42:05
Score: 2
Natty:
Report link

The error states that in the view ShowRecoveryCodes.cshtml, ShowRecoveryCodesModel could not be resolved to a type or found in a namespace called ShowRecoveryCodesModel. Open the ShowRecoveryCodes.cshtml view and check the ShowRecoveryCodesModel reference.

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

79562488

Date: 2025-04-08 15:40:04
Score: 4
Natty:
Report link

grep -E '[a-zA-Z]*[[:space:]]foo' <thefilename> | grep -v '?'

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

79562486

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

I do see this post is quite old, but hope some of you might have an answer for this.

How can we realize the same functionality (display a graph, get clicked points and save it ) for several data sets in a loop. I did manage to do it for one graph but , when i use it in a loop, the python program shows the graphs but I am only able to click and get the points for the last iteration. I did try waiting for user input (via Input command) or putting a sleep after "

klicker = clicker(ax, ["event"], markers=["x"])

" but without any success.

Any leads is appreciated.

Reasons:
  • Blacklisted phrase (1): appreciated
  • Blacklisted phrase (1): How can we
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Seena

79562482

Date: 2025-04-08 15:38:04
Score: 2
Natty:
Report link

I had this same issue, and it turns out I needed to enable the Transaction Services API at the RVC level in Simphony EMC. Their documentation is here: https://docs.oracle.com/en/industries/food-beverage/simphony/19.8/simcg/t_sts_gen2_enable_option.htm

In summary:

It took about 10 minutes before my calls started working after making this adjustment.

Reasons:
  • Blacklisted phrase (0.5): I need
  • No code block (0.5):
  • Low reputation (1):
Posted by: Pokkiff

79562481

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

I discovered that if you turn off visibility of "level-crossing" under "Road Network" and then publish the style, this will remove the "X"s

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

79562478

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

See:

Combine these two documentation sections and create environment variables like:

janusgraph.index.search.elasticsearch.http.auth.type=basic
Reasons:
  • Probably link only (1):
  • Low length (1):
  • Has code block (-0.5):
Posted by: HadoopMarc

79562475

Date: 2025-04-08 15:36:03
Score: 3.5
Natty:
Report link

The system must be allowed to access the Firebase.

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

79562474

Date: 2025-04-08 15:35:02
Score: 1
Natty:
Report link

Instead of doing list comprehension, you could use also lambda functions along side map:

>>> mylist = [[1,2,3], 7, [4,5,6], [7,8,9], 5]
>>> list(map(lambda item: item if isinstance(item, list) else \[item\], mylist))
[[1, 2, 3], [7], [4, 5, 6], [7, 8, 9], [5]]

Sorry for necroposting.

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

79562469

Date: 2025-04-08 15:32:01
Score: 3
Natty:
Report link

DataTable destinationDT = sourceDt.DefaultView.ToTable(false, "columnName");

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

79562468

Date: 2025-04-08 15:32:01
Score: 1.5
Natty:
Report link

You can synchronize inline and popup completion in setting general inline completion and check the last one synchronize inline and popup completions

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

79562462

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

have you updated the gradle version as well as the com.android.application version?

if not, this should allow you to do so:

go to android/settings.gradle and change this line to a more recent version:

id("com.android.application") version "8.7.0" apply false

then go to android/gradle/wrapper/gradle-wrapper.properties and change the version of this line:

distributionUrl=https\://services.gradle.org/distributions/gradle-8.10.2-all.zip

the lines I provide are already up to date for the new versions of flutter.

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

79562442

Date: 2025-04-08 15:19:58
Score: 5.5
Natty:
Report link

+1

I have the same issue (for a arm64 arch) and did not find a solution.

Happens for different IDEs (vscode, cursor, goland) so I assume the issue is with the go & dlv.

I also tried to install go with Homebrew, go website, and gvm. None solved the issue.

Reasons:
  • Blacklisted phrase (1): I have the same issue
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I have the same issue
  • Low reputation (1):
Posted by: Naama Peled

79562440

Date: 2025-04-08 15:18:58
Score: 4
Natty:
Report link

Damn it, after I posted it, I Just realized I'm using : , not =. Problem is solved.

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

79562437

Date: 2025-04-08 15:17:57
Score: 2
Natty:
Report link

Solved! I was measuring with the wrong fontfamily.

Now more or less it works

enter image description here

so yes the measuring routine is working properly

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

79562434

Date: 2025-04-08 15:14:56
Score: 1.5
Natty:
Report link

I think there is the potential to clean up the pervious answers even further, take a look: const sum = arr.reduce((accumulator, currentValue) => accumulator + currentValue); The arrow function simplifies the function declaration syntax plus there is no need to declare initialValue since we want to just get the sum of the elements from the array of numbers.

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

79562427

Date: 2025-04-08 15:11:55
Score: 2.5
Natty:
Report link

Unfortunately, you will find that the BigInteger Class was not built for purpose, and its Modulo arithmetic is as rouge as any secret agent. I built a bespoke application and turns out that not any amount of decryption will be correct after the 1st round. If a message is too long only the 1st round of encryption/decryption will yield accurate results. The longer the message unfortunately, the worse the performance. I tried to ask Oracle to rewrite the BigInteger class as it is flawed significantly, but could not reach them. For more information follow this link: https://www.martinlayooinc.com/Home/Product/checkRSA4096

Reasons:
  • Blacklisted phrase (1): this link
  • Long answer (-0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Martin Alex Okello

79562426

Date: 2025-04-08 15:11:55
Score: 3
Natty:
Report link

Just speaking out of context. What I am missing? I am missing! self identity! My self? your self? His Self? their selves? There is a lot of selves in the dark with no correct connection! And What I am seeing is counter clock wise and the world is going clockwise and everyone is going 1 over! Meaning who was closest to God has probably lost their whole life! And everyone else is sitting one over and it was top heavy and flipped all the way over and the dark completely has domain in your whole life and Jesus the begotten can't even get anyone to see the truth because of all these set standards and not understanding begotten! and where this started. Why Saten is playing in Jesus family? because they forgot to stand up for Jesus and playing with the host of the developer instead in Jesus as Comic Books. Trashing who Jesus was. In otherwords.. Jesus(The person who gave up their family life as a Child) on the Street to help the ones Broken in too already. Made them his family. Showed them everything. And here comes that turn again and they forgot who showed them how to fix it. So now Jesus is looking at his/her real family as his/her children and something else is in the body of his/her children and now they want to put a label on Jesus as Crazy! and Jesus is really suffering because Jesus is hearing all this communication at once and cant get anyone to listen but can prove everything. so now it is no longer begotten , it is forgotten what they even did this for. .. Facts, Landmarks are moved. The bible in the United States is no longer studied or allowed in schools. Same as Prayer!.. The United States of America is the promised land and built on God! They started going the wrong way ...... from sovereign to goverment .. they went back to what we left from. Key points = federal lot# the dead! prohibition! Internet! = dead =media ... roming spirits waiting for you to give your child a device so it can have free dom in them since nobody remembers what God made America for! internet= sin! Facts! A whole married home! The couple has 2 children. They decide to get a computer for education. Father is gone to work working. Mom is at home bored and decides to check out her friends from school, gets on facebook. Father comes home mother shows father and he decides to do the same thing. Mom starts talking on chat to some old friends and a old boyfriend msgs her and tells her she looks good. Father sees the msg. Now you have hurt feelings, He reacts in the wrong way and starts talking to some ex girlfriends. Children are just abiding what is going on as they slowly learning the internet by watching mom and dad. Mom and dad are argueing. Mom is now feeling unpretty and starts comparing herself to these women. He has completely shut her out because he is getting attention from them and she is throwing her self at him but he doesn't like the argument or that is what he is stating as he walks in the door 2 hours late. She even excuses it because she is lacking her husband and her self esteem has hit bottom. She searches the computer and finds he has been getting on xxx sites. The couple seperates. She is left with the kids by herself. She is fully stressed and he doesn't do his part with the kids. Grandparents babysit and dad sends iphones for the kids for Christmas. Repeated process. like Simon Peter, Peter, repeater, Saten. You will deny me thrice when the crow crox. Communication... 2 ways. Copy that Roger. Houston, I think we have a problem. Did they forget their are 2 spaces before we start a Paragraph? Father, So n, and holy spirit. aka Corona virus. Something else is in God's place. Does anyone understand what I am saying?

Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Misty Marie HICKMAN

79562419

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

Update the VS code settings

{
    "cucumberautocomplete.steps": [
    "stepDefinitions/**/**/*.ts"
],
"cucumberautocomplete.syncfeatures": "feature/**/*.feature",
"cucumberautocomplete.strictGherkinCompletion": true
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Karthik Babu Challa

79562410

Date: 2025-04-08 15:03:53
Score: 2.5
Natty:
Report link

Tenable's Audit files are are based on existing security baseline guidance (CIS, MS, etc.)

They are posted to and regularly updated here: https://www.tenable.com/audits

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

79562408

Date: 2025-04-08 15:03:53
Score: 0.5
Natty:
Report link

Also, Rubocop doesn't swear when set aggregate_failures and run multiple expectations in one test:

context 'with error', :aggregate_failures do
  it 'updates the error list' do
    expect(Inquiry.count).to eq(7)
    expect(Inquiry.first.error).to eq(error)
  end
end
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Oleksandr Bratashov

79562404

Date: 2025-04-08 15:02:52
Score: 4
Natty:
Report link

For anyone that is searching for this with no luck. Here is the documentation from MS: Share-Types

Reasons:
  • Blacklisted phrase (1): no luck
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: barracuda

79562400

Date: 2025-04-08 15:01:52
Score: 1.5
Natty:
Report link

the issue is just a typo:

proccessData: false,
# should be 
processData: false,

Fix that, and your form with text + file upload via AJAX should work perfectly. 😊

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

79562395

Date: 2025-04-08 14:58:51
Score: 2
Natty:
Report link

I am experiencing this same issue. As a temporary work-around I had to go back to using the deprecated package. What I can't tell is if it's an MLFlow bug or a databricks-langchain bug. It could be MLFlow is expecting the langchain-databricks package for ChatDatabricks. Or the databricks-langchain package has a messed up dependency.

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

79562381

Date: 2025-04-08 14:51:48
Score: 2
Natty:
Report link

I figured the issue.

Its because of location mismatch. data residing projects are in the US location but computing project datasets are in other location. So the temp table which is trying to create is having issue because of the location mismatch. its resolved when materialization dataset has provided with the same location as data residing dataset.

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

79562380

Date: 2025-04-08 14:51:48
Score: 1
Natty:
Report link

For the time being I switched to protols from buf_ls. It does offer Document Symbols view which is a step forward.

For LazyVim I enabled it like such:

  {
    "williamboman/mason.nvim",
    opts = function(_, opts)
      opts.ensure_installed = opts.ensure_installed or {}
      vim.list_extend(opts.ensure_installed, {
        -- other LSPs
        "protols", -- Protobuf support
      })
    end,
  },

and

 {
    "neovim/nvim-lspconfig",
     -- other stuff
         config = function()
           require("lspconfig").protols.setup({
           cmd = { "protols" },
           filetypes = { "proto" },
      })
    end,
}
Reasons:
  • Contains signature (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: vasigorc

79562373

Date: 2025-04-08 14:49:48
Score: 2
Natty:
Report link
Indeed - the <wsdl:service name=""> in the end must be added 
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Shuher

79562367

Date: 2025-04-08 14:46:47
Score: 1
Natty:
Report link

The FAS PSD API endpoint you're using only allows two filters: commodityCode and marketYear. The other non-dimensional endpoints also won't take a release date/month parameter.

But, given that the USDA Foreign Agricultural Service is constantly reviewing, amending, and republishing the numbers from past releases, it's not a bad idea to get the full market year.

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

79562362

Date: 2025-04-08 14:45:47
Score: 2.5
Natty:
Report link

The solution is to create a Personal Access Token (PAT), then configure git-tf to use your regular username and then use the PAT as the password.

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

79562358

Date: 2025-04-08 14:43:46
Score: 0.5
Natty:
Report link

For mui v6 I was able to modify dialog paper styling through slotProps.paper.sx:

<Dialog
 slotProps={{
  paper: {
   sx: {
    position: 'absolute',
    bottom: 0,
    left: 0,
    marginBottom: 0,
   },
  },
 }}
/>

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

79562357

Date: 2025-04-08 14:43:46
Score: 4
Natty:
Report link

I am also facing the same issue, and even when I try to install an older version of Swagger, I still face the same problem.

PS C:\Users\LENOVO\OneDrive\Desktop\practical-round> npm i @nestjs/[email protected] npm ERR! code ERESOLVE npm ERR! ERESOLVE unable to resolve dependency tree npm ERR! npm ERR! While resolving: [email protected]
npm ERR! Found: @nestjs/[email protected] npm ERR! node_modules/@nestjs/common npm ERR! @nestjs/common@"^10.0.0" from the root project npm ERR! npm ERR! Could not resolve dependency: npm ERR! peer @nestjs/common@"^9.0.0" from @nestjs/[email protected] npm ERR! node_modules/@nestjs/swagger npm ERR! @nestjs/swagger@"6.3.0" from the root project npm ERR! npm ERR! Fix the upstream dependency conflict, or retry npm ERR! this command with --force or --legacy-peer-deps npm ERR! to accept an incorrect (and potentially broken) dependency resolution. npm ERR! npm ERR! npm ERR! For a full report see: npm ERR! C:\Users\LENOVO\AppData\Local\npm-cache_logs\2025-04-08T14_34_57_230Z-eresolve-report.txt

npm ERR! A complete log of this run can be found in: npm ERR! C:\Users\LENOVO\AppData\Local\npm-cache_logs\2025-04-08T14_34_57_230Z-debug-0.log

Reasons:
  • Blacklisted phrase (1): I am also facing the same issue
  • Long answer (-1):
  • No code block (0.5):
  • Me too answer (2.5): I am also facing the same issue
  • Me too answer (0): face the same problem
  • Low reputation (1):
Posted by: Jaydeep Patel

79562356

Date: 2025-04-08 14:42:45
Score: 2.5
Natty:
Report link

i have your IP address ( 94.61.124.95 ) the lazy Spanish-speaking, uneducated alkie fisherman, PIDOR.

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

79562337

Date: 2025-04-08 14:32:42
Score: 4.5
Natty:
Report link

sql problem, see the solution here

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

79562333

Date: 2025-04-08 14:31:42
Score: 2.5
Natty:
Report link

I have the same problem trying to extract the trace_id and span_id from a field called contextMap which is of type Map. No matter what I did, it wouldn't get the data from the fields.

So I ended up copying the context of the map to log.cache(a temporary space where you can do some heavy lifting in) where I could then directly access the fields

- merge_maps(log.cache, log.cache["contextMap"], "upsert") where IsMap(log.cache["contextMap"])
- set(log.attributes["span_id"], log.cache["span_id"]) where IsString(log.cache["span_id"])
- set(log.attributes["trace_id"], log.cache["trace_id"]) where IsString(log.cache["trace_id"])

(FYI: the contextMap is already in log.cache since we send our logs as JSON and have otel parse it into log.cache)

Reasons:
  • Blacklisted phrase (1): I have the same problem
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): I have the same problem
Posted by: Phillip

79562332

Date: 2025-04-08 14:31:42
Score: 3
Natty:
Report link

interesting error, I tried to solve it, but I only got it through this method

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

79562330

Date: 2025-04-08 14:30:42
Score: 3
Natty:
Report link

You need to upload your .jar files to an S3 bucket and then reference them in your Glue job.

Until you migrate them into jobs, Glue notebooks run in an interactive development environment where you have a dedicated Spark session running on a single instance. When you use magic, you're working within this interactive session that has direct internet access (as a default) and can dynamically load dependencies. The notebook environment is more flexible because it's not distributed across multiple nodes and maintains its state throughout the session. This allows for real-time library installations and direct loading of .jar files using magic functions.

You still need to put your .jar files into S3 bucket and then reference it once you convert these interactive sessions into jobs. Otherwise you will get the same error. .jar files loaded using magic in interactive session are only available during the current interactive session's lifecycle.

When you create a Glue job using scripts (or from interactive sessions), the code needs to be accessible to multiple workers that might be running in different locations. S3 serves as the central storage location from which all these workers can access the same script.

Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Me too answer (2.5): get the same error
  • Low reputation (1):
Posted by: Ege Oguzman

79562327

Date: 2025-04-08 14:30:41
Score: 6.5 🚩
Natty:
Report link

I have the same problem, I couldn't solve it for about two months, but now I found a solution

Reasons:
  • Blacklisted phrase (1): I have the same problem
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): I have the same problem
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Amr Abdelaziz

79562320

Date: 2025-04-08 14:28:40
Score: 4.5
Natty: 4.5
Report link

llvm-ar error

Unfortunately this is the error I get when trying to run the same command. How are you able to build it? What version of the llvm project are you building?

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Jesse

79562317

Date: 2025-04-08 14:27:40
Score: 0.5
Natty:
Report link

Just wanted to let you know: terraform state rm followed by terraform import worked for me.

Important context:

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

79562316

Date: 2025-04-08 14:27:40
Score: 3
Natty:
Report link

This question was kindly answered by @DanielBlack (see question comments)

My 'error' was in copy/pasting the code directly from Bootstrap 4's navbar explanation then customizing it. The button code at the top of the copied code was NOT needed

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • User mentioned (1): @DanielBlack
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: inputforcolor

79562315

Date: 2025-04-08 14:27:40
Score: 2.5
Natty:
Report link

i know u problem i have this is problem too.
i can solve only in this is resource link

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Amr Abdelaziz

79562306

Date: 2025-04-08 14:23:38
Score: 0.5
Natty:
Report link

I had similar issue even when calling function properly. I've added event listener after clicking on some button and function was calling immediately. It was due to race conditions and event bubbling. Parent button click event haven't finished bubbling and was picked of this just added event listener. After adding setTimeout for 0 milliseconds it was fixed:

onSomeButtonClick(event) { // function that is fired after button click
    this.setEventListener(); // add event listener on click 
}

    setEventListener() {
        setTimeout(() => {
            this.document.addEventListener(
                'click',
                this.handleOutsideClick // function I want to fire after click
            );
        }, 0);
    }
Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Igor Vasylevskyi

79562303

Date: 2025-04-08 14:22:38
Score: 2.5
Natty:
Report link

//online c compiler to run c program online

# include <stdio.h>

#incude <conio.h>( )

(

clrscr( ) ;

printf("\n welcome") ;

printf("\n pankaj");

printf("\n welcome");

getch(

)}

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

79562302

Date: 2025-04-08 14:22:36
Score: 6 🚩
Natty:
Report link

((1,"c"), (23, "a"), (32,"b"))

Reasons:
  • Low length (2):
  • No code block (0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • No latin characters (1.5):
  • Low reputation (1):
Posted by: user23453940

79562298

Date: 2025-04-08 14:21:36
Score: 1
Natty:
Report link

In my case userEvent.type(input, "abc{enter}"); didn't work because I need to modify and validate the value before submitting it. This worked.

test("should submit when pressing enter", async () => {
  const handleSubmit = jest.fn();
  const { getByLabelText } = render(<App handleSubmit={handleSubmit} />);
  const input = getByLabelText("Name:");

  fireEvent.change(input, { target: { value: "abc" } });
  await userEvent.type(input, '{enter}');

  expect(handleSubmit).toHaveBeenCalled();
});
Reasons:
  • Blacklisted phrase (0.5): I need
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Georgi Dzhangozov

79562294

Date: 2025-04-08 14:19:35
Score: 2
Natty:
Report link

Had similar issue, fixed it with adding empty __init__.py files on all levels in the package where it was missing

Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Денис Швецов

79562290

Date: 2025-04-08 14:16:34
Score: 1.5
Natty:
Report link

For me, it was caused by enabling legacy-peer-deps globally via ~/.npmrc config file. It was adding dev: true to package-lock.json file and caused the CI/CD pipeline to fail as mentioned by gordey4doronin above. The fix was removing legacy-peer-deps=true from ~/.npmrc file

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

79562284

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

So after a week of tinkering. I do believe I have cracked the nut!

The tutorial that I was trying to follow lead me around in circles and eventually I gave up on trying to update nodes G value as stated in the tutorials. Instead, I created a new hybrid cost value, I call the Bcost. Because I'm Brett ;P. I wont post the entire code here, but I will post a link to the test session where you can launch it in Android Studio and try it for yourself. The new Bcost makes the algorithm way more efficient and as you'll see, it barely ever chooses a node that isnt the best next node. I think it's probably 50-100% faster. However, my nextnodes() function is horribly bloated and if anyone wants to take a stab at making that method cleaner. I would love to see how you accomplish that.

http://nexxiom.com/android/AstarTesting.zip

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

79562283

Date: 2025-04-08 14:13:33
Score: 1
Natty:
Report link

It seems that

ReflectionOnlyLoadFrom() 

is intentionally set to throw a

System.PlatformNotSupportedException: 'ReflectionOnly loading is not supported on this platform.' 

so it's useless (on Windows anyway).

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

79562282

Date: 2025-04-08 14:13:33
Score: 1.5
Natty:
Report link

As for me it's easier and more reliable to do via custom actions:

  1. Create custom action

  2. Run it before install

  3. Check architecture in custom action

  4. Write it to variable:

[CustomAction]  
public static ActionResult CA(Session session)  
{  
  session["variable"] = architecture result;  
  return ActionResult.Success;  
}
  1. Use it as variable in your wix
Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: ba-a-aton

79562281

Date: 2025-04-08 14:12:33
Score: 1.5
Natty:
Report link

Adding the below block resolved the issue.

@csrf_exempt  # This decorator exempts CSRF protection for the POST request
    def post(self, request, *args, **kwargs):
        return super().post(request, *args, **kwargs)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Dhawan Solanki

79562274

Date: 2025-04-08 14:07:32
Score: 1
Natty:
Report link

Have faced the same issue in Kubernetes. Solved by setting explicitly

AIRFLOW__METRICS__STATSD_ON: "False"
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Sergei Irin

79562267

Date: 2025-04-08 14:05:31
Score: 5
Natty: 5.5
Report link

same problem here (other tables) but the "kids-table" aren't filtered as expected.

Reasons:
  • RegEx Blacklisted phrase (1): same problem
  • Low length (1.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: wic70

79562264

Date: 2025-04-08 14:05:31
Score: 2
Natty:
Report link

Just in case someone lands here facing the issue on DBeaver then check for below settings. Uncheck it if checked.

enter image description here

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

79562259

Date: 2025-04-08 14:03:30
Score: 2
Natty:
Report link

In my case with Sequola 15.1

sudo CXXFLAGS="-I/opt/homebrew/opt/unixodbc/include/" LDFLAGS="-L/opt/homebrew/lib/" /Applications/MAMP/bin/php/php8.3.14/bin/pecl install sqlsrv pdo_sqlsrv

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

79562251

Date: 2025-04-08 13:58:28
Score: 8 🚩
Natty:
Report link

I have tried several attempts and when I run sudo plank, it works without any issues. However, when I run plank normally (without sudo), the problem occurs. Could anyone suggest what kind of permissions or adjustments are needed to make it work without running as root?

Thanks in advance for your help!

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • RegEx Blacklisted phrase (2.5): Could anyone suggest what
  • RegEx Blacklisted phrase (3): Thanks in advance
  • Low length (0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Murat Yiğit

79562248

Date: 2025-04-08 13:58:28
Score: 3.5
Natty:
Report link

Second way - change your connection string to db. Replace localhost to your local IP.

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

79562243

Date: 2025-04-08 13:57:27
Score: 3.5
Natty:
Report link

The error was occurring due to the action setup where it says LINKTOFORM() changing it to LINKTOROW solved the error

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

79562239

Date: 2025-04-08 13:55:27
Score: 0.5
Natty:
Report link

add these :

predefinedPlaces={[]}
textInputProps={{}}

in your example

<GooglePlacesAutocomplete
   placeholder="Type a place"
   query={{key: 'My-API-Key'}}
   predefinedPlaces={[]}
   textInputProps={{}}
/>
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Moustaoui Salaheddine

79562232

Date: 2025-04-08 13:53:26
Score: 3
Natty:
Report link

try rebuild solution steps:

  1. go to navbar.
  2. click on build.
  3. click on rebuild solution.
Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Youness zagouri

79562229

Date: 2025-04-08 13:53:26
Score: 1.5
Natty:
Report link

Use the following query to obtain the count of records available for each table in descending order (from high to low) - include conditions if necessary:

select distinct t.name as Table_Name,p.rows as Noof_Records from sys.tables t inner join sys.partitions p on t.object_id=p.object_id where create_date<='15-apr-2025'

order by p.rows desc

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

79562210

Date: 2025-04-08 13:47:24
Score: 4.5
Natty:
Report link

I know that each format has its own compression and I know that decompression is long and complicated.

But I would like to do the same thing using libraries that allow conversion to a same single format that is similar to .ppm.

any suggestions?

PS. trying .ppm, it stores RGB values ​​as unsigned

Reasons:
  • RegEx Blacklisted phrase (2): any suggestions?
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Armando Pipitone

79562209

Date: 2025-04-08 13:47:24
Score: 1
Natty:
Report link

You could try the below

curl --data "client_id=CLIENT_ID&client_secret=CLIENT_SECRET&grant_type=client_credentials&scope=SCOPE_IF_YOU_HAVE" AUTHENTICATION_URL

curl --data "client_id=9######4-####-####-a4c7-############&client_secret=##########&grant_type=client_credentials&scope=api://#####-####-####-####-###########/.default" https://login.microsoftonline.com/########-####-####-####-#########/oauth2/v2.0/token

Reasons:
  • No code block (0.5):
  • Filler text (0.5): ############
  • Filler text (0): ##########
  • Filler text (0): ###########
  • Filler text (0): ########
  • Filler text (0): #########
Posted by: Nagarajan S R

79562202

Date: 2025-04-08 13:44:23
Score: 4
Natty:
Report link

this info is also available via their api without web scraping

https://github.com/EnderLocke/pyespn

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

79562200

Date: 2025-04-08 13:44:23
Score: 4
Natty: 4.5
Report link

Just published an article few days ago: https://stripearmy.medium.com/i-fixed-a-decade-long-ios-safari-problem-0d85f76caec0
And the npm package: https://www.npmjs.com/package/react-ios-scroll-lock

Hope this fixes your problem.

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

79562198

Date: 2025-04-08 13:44:23
Score: 4.5
Natty: 5.5
Report link

Someone help me with the script where it will give first level second level and thrid approval details configrued in the access policy

Reasons:
  • Blacklisted phrase (1): help me
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: user30210499

79562192

Date: 2025-04-08 13:38:21
Score: 1
Natty:
Report link

In my case the class used as a std::vector element had member of type std::thread, but std::thread is not CopyConstructible or CopyAssignable.

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

79562185

Date: 2025-04-08 13:36:20
Score: 0.5
Natty:
Report link

Found my mistake. setIncomingAndReceive() returns the size of the transferred array (10 bytes in my case), i.e. instead of if ( ( numBytes != PayloadSize ) || (byteRead != 1) ) there should be if ( ( numBytes != PayloadSize ) || (byteRead != PayloadSize) ). And in addition, I also specified the offset inside the buffer incorrectly (should be Util.arrayCopy(buf, ISO7816.OFFSET_CDATA, data, (short) 0, PayloadSize)).

Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Single line (0.5):
Posted by: Alan Kazbekov

79562177

Date: 2025-04-08 13:31:18
Score: 3.5
Natty:
Report link

This is a useful complement of the documentation of Mermaid. Thank you for sharing your discovery!

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

79562176

Date: 2025-04-08 13:30:18
Score: 0.5
Natty:
Report link

So I've found a way. Basically this is the work of iot-gateway. It's just a small tweak from getting started guide: https://thingsboard.io/docs/iot-gateway/getting-started/#step-3-add-new-connector.

Scroll down to “Data conversion” section:

For “Device” subsection use the following options/values:

In the “Name” row, select “Constant” in the “Source” dropdown field, fill in the “Value / Expression” field with the “Device Demo” value.

In the “Profile name” row, select “Constant” in the “Source” dropdown field, fill in the “Value / Expression” field with the “default” value.

One just need to extract the name of the device from the message payload (or from path if applicable)

So just specify the device id like this in the connector configuration

"deviceInfo": {
      "deviceNameExpression": "Node ${your_id}",
      "deviceNameExpressionSource": "message",
      "deviceProfileExpressionSource": "constant",
      "deviceProfileExpression": "default"
}
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: trya2l

79562173

Date: 2025-04-08 13:29:18
Score: 2
Natty:
Report link

After enabling debug logging I found that the issue isn't with LDAP, rather that the OSS version of JFrog doesn't support JFrog groups:

Search Ldap groups only supported for Pro license

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

79562170

Date: 2025-04-08 13:29:18
Score: 1
Natty:
Report link
delete from some_table where some_column = :someValue and (some_other_column is null or some_other_column = :someOtherValue)

should work

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

79562167

Date: 2025-04-08 13:28:17
Score: 4.5
Natty: 4
Report link

I am experiencing the same problem!

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

79562160

Date: 2025-04-08 13:25:16
Score: 1.5
Natty:
Report link

I had same error, and the reason was that I didn't have sentencepiece package installed.

So

pip install sentencepiece

solved the problem

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

79562157

Date: 2025-04-08 13:24:16
Score: 0.5
Natty:
Report link

Thanks to @musicamante, I realized I had to supply my own html template to export_html. That was not immediately clear to me as its named a bit weird. Not only was I injecting entire HTML pages into the TextEdit, but also the <pre> tags that are used by default cause the spacing issues, so i used <div> instead.

I also set the QTextEdit to use the monospace font that would normally be selected in the HTML stylesheet.

This is what ended up working:

class QTextEditLogger(QTextEdit, Handler):
    """A QTextEdit logger that uses RichHandler to format log messages."""
    def __init__(self, parent=None, level=NOTSET):
        QTextEdit.__init__(self, parent)
        Handler.__init__(self,level=level)
        self.console = Console(file=open(os.devnull, "wt"), record=True)
        self.rich_handler = RichHandler(show_time=False, show_path=False, show_level=True, markup=True, console=self.console, level=self.level)
        self.rich_handler.setLevel(self.level)
        self.setWordWrapMode(QTextOption.WrapMode.WordWrap)
        self.setAcceptRichText(True)
        self.setReadOnly(True)
        font = QFont(['Menlo','DejaVu Sans Mono','consolas','Courier New','monospace'], 10, self.font().weight())
        font.setStyleHint(QFont.StyleHint.TypeWriter)
        self.setFont(font)


    def emit(self, record) -> None:
        """Override the emit method to handle log records."""
        self.rich_handler.emit(record)
        html_template = '<div style="background-color: {background}; color: {foreground};><code style="font-family:inherit">{code}</code><br/></div>'
        html = self.console.export_html(clear=True, code_format=html_template, inline_styles=True)
        self.insertHtml(html)
        self.verticalScrollBar().setSliderPosition(self.verticalScrollBar().maximum())  
        c = self.textCursor()
        c.movePosition(QTextCursor.End)
        self.setTextCursor(c)
Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @musicamante
  • Self-answer (0.5):
Posted by: Raphael

79562156

Date: 2025-04-08 13:24:16
Score: 0.5
Natty:
Report link

The formula in A9

=LET(a,GROUPBY(A2:A6,HSTACK(B2:B6,C2:C6),SUM),
b,CHOOSECOLS(a,2)/CHOOSECOLS(a,3),
HSTACK(a,b))

enter image description here

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

79562155

Date: 2025-04-08 13:23:15
Score: 3.5
Natty:
Report link

provisioned administration rights to the service account (credentials stored in AAP) authenticating to remote windows server and error was resolved

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

79562154

Date: 2025-04-08 13:23:15
Score: 1.5
Natty:
Report link
if ! grep -q '^[[:space:]]*rotate 1' /etc/logrotate.d/httpd; then
  sed -i -r '/^([[:space:]]*)missingok/ {
    s//\1missingok\
\1rotate 1\
\1size 1k/
  }' /etc/logrotate.d/httpd
fi
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Ribbear

79562150

Date: 2025-04-08 13:20:14
Score: 5.5
Natty: 5
Report link

can´t make it work. ive tried other options but they never put qty, just one product. yours just come with error and i cant see de qty field. any sugestions?

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): can
  • Low reputation (1):
Posted by: Arde Babilonia

79562149

Date: 2025-04-08 13:20:14
Score: 3.5
Natty:
Report link

On june 2024, Google introduced conditional access to Bigquery tables based on tags. This would be the best way to provide such privileges to a certain group of users.

Sources:
https://medium.com/codex/you-can-now-use-tags-for-bigquery-access-5b5c50fcf349
https://cloud.google.com/bigquery/docs/release-notes

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