79838190

Date: 2025-12-04 17:27:36
Score: 2.5
Natty:
Report link

Depending on the literature, I sometime find q1 = (C_23 - C_32) / (4 * q_c) and sometimes the other sign around, and I'm not sure why, which would explain this conjugate issue. Could you help me please?

Part of your math is following the convention for selecting the positive root of q_c, and part of your math is following the convention of selecting the negative root of q_c.

The paper Computation of the Quaternion from a Rotation Matrix has a good explanation of the process for finding a quaternion from a rotation matrix. There are multiple formulas you can use, and some have better numerical stability than others, but the one you are using is "0.1.2 Solution of diagonal for b1."

derivation of quaternion

(Note that Farrell follows a scalar first convention, and that q_c in your code corresponds to b1 in the paper.)

In this step, he solves the equation 4*b1**2 = 1 + R_11 + R_22 + R_33 by taking the square root, to obtain b1 = np.sqrt(1 + R_11 + R_22 + R_33) / 2. In this step, he is taking the positive root. However, it is equally valid to say that b1 = -np.sqrt(1 + R_11 + R_22 + R_33) / 2 is a solution.

He addresses this choice in the summary:

Each of the quaternions involves a sign ambiguity due to the fact that either the positive or negative square root could have been selected. This document has selected the positive square root throughout. If the negative square root is selected, then the direction of the vector portion of the quaternion will also be reversed. This results in the same rotation matrix.

I am guessing that that is where your confusion stems from: you are combining code from a source that uses the positive root to obtain the scalar component with code from a source that uses the negative root to obtain the imaginary components.

The simplest fix is to swap the signs here:

    q_vec = np.array([[C_32 - C_23], [C_13 - C_31], [C_21 - C_12]])  / (4*q_c)

Appendix: code used to test this answer

import numpy as np
import scipy.spatial


a_quat = np.array([0.1967, 0.5692, 0.5163, 0.6089])

print("Original quaternion", a_quat)
a_rotation = scipy.spatial.transform.Rotation.from_quat(a_quat)
a_matrix = a_rotation.as_matrix()
print("Matrix")
print(a_matrix)

def convert_dcm_to_quaternion(dcm):
    """
    Convert DCM to a quaternion
    """
    C_11 = dcm[0,0] #angle between vector 1 of initial frame and vector 1 of rotated frame
    C_12 = dcm[0,1] #angle between vector 2 of initial frame and vector 1 of rotated frame
    C_13 = dcm[0,2]
    C_21 = dcm[1,0] #angle between vector 1 of initial frame and vector 2 of rotated frame
    C_22 = dcm[1,1] 
    C_23 = dcm[1,2]
    C_31 = dcm[2,0]
    C_32 = dcm[2,1]
    C_33 = dcm[2,2]
    q_c = 1/2 * np.sqrt(C_11 + C_22 + C_33 + 1) #consider that scalar value != 0, i.e. not at a singularity. Use Markley or Shepperd methods otherwise.
    q_vec = np.array([[C_32 - C_23], [C_13 - C_31], [C_21 - C_12]])  / (4*q_c)
    q = np.vstack((q_vec,q_c ))
    q = q.flatten()
    return q

print("converting back")
print(convert_dcm_to_quaternion(a_matrix))
print()

Reasons:
  • Blacklisted phrase (1): This document
  • Blacklisted phrase (1): help me
  • Whitelisted phrase (-1.5): you can use
  • RegEx Blacklisted phrase (3): Could you help me
  • RegEx Blacklisted phrase (2): help me please
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • High reputation (-2):
Posted by: Nick ODell

79838183

Date: 2025-12-04 17:19:34
Score: 3
Natty:
Report link

"Good enough" isn't good enough when you spend a zillion hours on working around something that should be easy to do. The first thought is "what am I doing wrong?", followed by googling and looking at stack-overflow, when you have the second realization "ok, everybody is saying my thinking is wrong, and that it is just good enough, and just live with it", followed by the feeling "are these people crazy?", then "F-that" for using crappy software. I came from an era where software was very well designed, not now. What an effing mess.

Reasons:
  • Blacklisted phrase (1): what am I doing wrong?
  • Long answer (-0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: pur

79838182

Date: 2025-12-04 17:19:34
Score: 1
Natty:
Report link

remove the

finally:
    await db.close()

from the async get_db function. This should resolve.

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

79838181

Date: 2025-12-04 17:18:34
Score: 0.5
Natty:
Report link

Just in case when somebody wants to disable animation:

@State private var showPortfolio: Bool = false   
CircleButtonView(iconName: showPortfolio ? "plus" : "info").animation(.none, value: showPortfolio)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: mikolaj-jalocha

79838174

Date: 2025-12-04 17:04:30
Score: 1
Natty:
Report link
;One way to handle mouse events is to subclass the widget where you like to handle the ;events. For example if you want to capture the mouse in a canvas you may create your ;own kind of canvas:
(define mycanvas% 
  (class canvas%
    (super-new)
    (define/override (on-event a-mouse-event)
      (let ([x (send a-mouse-event get-x)]
            [y (send a-mouse-event get-y)])
        (printf "mouse button pressed at (~a,~a)." x y)
        (send this set-label (format "x:~a, y:~a" x y))))))
(define main-frame (new frame% [label "mouse event captures"][min-width 300] [min-height 300]))
(define canvas (new mycanvas% [parent main-frame]))
(send main-frame show #t)

I would like to refer you to the documentation of racket: Guide to the racket graphical interface toolkit

There you will learn how to handle all kind of events. You could also try the 'How to Design Programs Teachpacks'.

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

79838172

Date: 2025-12-04 17:03:30
Score: 1
Natty:
Report link

Your database probably doesn't have a location set in the Glue catalog. Try creating a database with a specified location.:

CREATE DATABASE mydatabase
LOCATION 's3://mybucket/mydatabase/';
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Bruno Feldman da Costa

79838170

Date: 2025-12-04 17:01:29
Score: 6
Natty:
Report link

Can you clarify your constraints? Why you can't simply await the first promise using something like React use or React Router loader , then render the component that takes user input and do the final step on submit?

Reasons:
  • RegEx Blacklisted phrase (2.5): Can you clarify your
  • Low length (0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): Can you
  • Low reputation (0.5):
Posted by: Alexander Wiklund

79838166

Date: 2025-12-04 16:54:27
Score: 0.5
Natty:
Report link

gnuplot has also the plotting style with steps that can be also used plot histograms.

Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: Friedrich -- Слава Україні

79838165

Date: 2025-12-04 16:53:27
Score: 1
Natty:
Report link

so, i found souliton finally:

 // getting the result from ResultFormatter class
        String result = ResultFormatter.format(times, racers);

        // clearing all the spaces and line breaks for reliable comparison
        String cleanExpected = expected.replace("\u00A0", " ").replaceAll("\\r\\n", "\n").trim();
        String cleanResult = result.replace("\u00A0", " ").replaceAll("\\r\\n", "\n").trim();

        assertEquals(cleanExpected, cleanResult);
    }
Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: holysh

79838163

Date: 2025-12-04 16:52:26
Score: 0.5
Natty:
Report link

Unfortunately, it looks like the v1.x version of Docker testcontainers depends on docker-machine... So current builds will be broken with the local Docker update.
[INFO ] 2025-12-03 11:56:09.932 [main] DockerClientFactory - Testcontainers version: 1.21.3

[INFO ] 2025-12-03 11:56:10.672 [main] DockerClientProviderStrategy - Loaded org.testcontainers.dockerclient.NpipeSocketClientProviderStrategy from ~/.testcontainers.properties, will try it first

[INFO ] 2025-12-03 11:56:11.557 [main] DockerMachineClientProviderStrategy - docker-machine executable was not found on PATH

The v2 testcontainers works with the newest v29 Docker, though related dependencies need to be changed. i.e. org.testcontainers:mysql -> org.testcontainers:testcontainers-mysql.

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

79838160

Date: 2025-12-04 16:51:26
Score: 1
Natty:
Report link

Error Type 1: "No module named pip" / Pip Version Too Old

Error Type 2: Missing Build Dependencies (e.g., setuptoolswheelcython)

Error Type 3: Invalid pyproject.toml / setup.py

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

79838157

Date: 2025-12-04 16:50:26
Score: 2.5
Natty:
Report link

hi since this toppic is pretty old, i was searching for a solution and it seems to work but:

i try to set the price from for example (78,84) to (78,99) is that posible? the code now lowers the price to (78,00)

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

79838156

Date: 2025-12-04 16:49:25
Score: 4.5
Natty:
Report link
Reasons:
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Philip

79838153

Date: 2025-12-04 16:46:24
Score: 3
Natty:
Report link

Once something like that happened to me too. The solution of mine was moving all my project to a new project. Don't know why but worked.

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

79838150

Date: 2025-12-04 16:42:23
Score: 2
Natty:
Report link

To reiterate Puf's point with some further context: Mark app_remove events as conversions to enable analytics function triggers.

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

79838149

Date: 2025-12-04 16:41:23
Score: 1
Natty:
Report link

I don't see any problem with that. No reason to do anything more complicated. You can't use *ngIf along with *ngFor, on the same div, but in your case it looks fine to me.

Reasons:
  • Whitelisted phrase (-1): in your case
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
Posted by: Rick

79838147

Date: 2025-12-04 16:40:23
Score: 3
Natty:
Report link

You may go another way to integrate ScalaTest with gradle:
https://www.scalatest.org/plus/junit5

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
Posted by: Waldemar Wosiński

79838135

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

Thanks for explaining that @n.m.couldbeanAI. Yeah, it seemed to me like an old-school acceptable SO question, but not really "Troubleshooting/debugging" or "Best practices", and certainly not a request for a "Tooling recommendation". I figured it fell in the "Other" part of "General advice/Other". I suppose it was "troubleshooting" and "debugging" my understanding of the language. :-) Or about conceptual best practices? (Syntax as tooling?) Next time I'll know about the difference in handling. In any event, @amalloy's answer gave me the insight I was lacking and more, so for me SO was a great resource this time.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • User mentioned (1): @amalloy's
  • Self-answer (0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: Mars

79838127

Date: 2025-12-04 16:14:16
Score: 4.5
Natty: 5.5
Report link

Where do you put y vel = y vel-1 and y=y+y vel

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): Where do you
  • Low reputation (1):
Posted by: Shedletsky main

79838125

Date: 2025-12-04 16:12:15
Score: 3
Natty:
Report link

Сигма Гёрл se deletrea: С, и, г, м, а, Г, ё, р, л. Сигма Герл se deletrea: С, и, г, м, а, Г, е, р, л. Сигма Бой se deletrea: С, и, г, м, а, Б, о, й. P, a, Сигма Гёрл se deletrea: С, и, г, м, а, Г, ё, р, л. P, a, Сигма Герл se deletrea: С, и, г, м, а, Г, е, р, л. P, a, Сигма Бой se deletrea: С, и, г, м, а, Б, о, й.

Reasons:
  • No code block (0.5):
  • Single line (0.5):
  • No latin characters (1):
  • Low reputation (1):
Posted by: Youssef Sarti

79838124

Date: 2025-12-04 16:11:15
Score: 1
Natty:
Report link

Silly me, Start-Process has a -UseNewEnvironment switch that does exactly that.

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

79838123

Date: 2025-12-04 16:10:14
Score: 1.5
Natty:
Report link

I think you kind of answered your own question. If I am correct, you can use them almost all of the time. Is it smart to do so? maybe not, will it hurt? Also not. If it works it works, and if it's readable and maintainable than you've checked out most of the boxes.

Reasons:
  • Whitelisted phrase (-1.5): you can use
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Sam Vandenabeele

79838118

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

(1) Do we really need to include all 150,000 zones? Isn't there any mechanism for selection we can add? (2) Are we interested in squeezing your attempt w.r.t. run time or are we looking for a different approach?

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

79838114

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

It will show your app name once you finish verification from google
It's not necessary to set up a custom domain in supabase for that

Clicking on your app name in that area, however, will still show that user will be redirected to xxx.supabase.co, but not sure how important is that

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

79838104

Date: 2025-12-04 15:51:10
Score: 1
Natty:
Report link

Somthing like that?


type CardType string

const (
    CTypePlastic CardType = "plastic"
    CTypeVirtual CardType = "virtual"
)

type CardUsage string

const (
    CUxBanking  CardUsage = "banking"
    CUxDiscount CardUsage = "discount"
    CUxLoyality CardUsage = "loyality"
    // ... any oather card ux
)

type CardPrepareFunc func() error

type CardTemplate struct {
    cardType    CardType
    cardUx      []CardUsage
    cardPrepare []CardPrepareFunc
}

func (ct *CardTemplate) Print() error {
    for _, pr := range ct.cardPrepare {
        if err := pr(); err != nil {
            return err
        }
    }
    if ct.cardType == CTypePlastic {
        // ct.sendToPrinter()
    }

    return nil
}

type CardOption = func(*CardTemplate) error

func WithCardUsage(cu CardUsage, f CardPrepareFunc) CardOption {
    return func(ct *CardTemplate) error {
        ct.cardUx = append(ct.cardUx, cu)
        ct.cardPrepare = append(ct.cardPrepare, f)

        return nil
    }
}

func NewCardTemplate(opts ...CardOption) *CardTemplate {
    ct := new(CardTemplate)
    for _, opt := range opts {
        opt(ct)
    }

    return ct
}
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: Николай Лубышев

79838102

Date: 2025-12-04 15:50:09
Score: 2
Natty:
Report link

There are many PHP PDFtk Q & A on SO (https://stackoverflow.com/search?tab=newest&q=%5b%20php%5d%20FDF&searchOn=3) but an interesting one is PDFtk throws a Java Exception when attempting to use 'fill_form' function where you can read the answer given by Bruno for more "history"

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • High reputation (-2):
Posted by: K J

79838097

Date: 2025-12-04 15:48:08
Score: 6
Natty:
Report link

@Reinderien What does monotonic mean in this case? If you mean non negative and increases as the index increases then yes. (In this case my x axis is a range of wavelengths)

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • User mentioned (1): @Reinderien
  • Self-answer (0.5):
  • Single line (0.5):
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: Elaina Truhart

79838092

Date: 2025-12-04 15:42:06
Score: 1.5
Natty:
Report link

When you say the PostingService ‘injects’ the other services mentioned, do you mean your PostingService has other services injected into it? For example, the service struct likely looks something like the example below where the property types are interfaces (I’ve just made those names up of course):

type PostingService struct {
    RepliesSvc repliesCreator
    ThreadsSvc threadsSetter
    FiltersSvc filtersGetter
    LogsSvc    logger
}
Reasons:
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): When you
  • Low reputation (1):
Posted by: iversa

79838091

Date: 2025-12-04 15:35:05
Score: 0.5
Natty:
Report link

No CSS flexbox does not provide any kind of selector or property that can directly detect in which wrapped row an element appears. Flexbox does not expose row-number in order to target "First flex row" , "middle flex row" , "last flex row".

Instead of CSS :

This problem can be solved using the JavaScript, because only JS can read the actual layout.

A JS solution will:

1.Detect the Y-position(OffsetTop) of each item.

2.Then group items by each unique Y-position (each row).

3.Then apply classes:

Example:

const rows = {};

document.querySelectorAll('.item').forEach(e1=>{

const y = el.offsetTop;

if(!rows[y] rows[y] =[];

rows[y].push(el);

});

const rowKeys = Object.keys(rows).sort((a,b) => a-b);

rows[rowKeys[0]].forEach(el.classList.add('row-first'));

rows[rowKeys[rowKeys.length -1]].forEach(el => el.classList.add('row-last'));

rowKeys.slice(1, -1).forEach(key =>

rows[key].forEach(el => el.classList.add('row-middle'))

);

4.Use CSS to align them differently:

.row-first {align-self : flex-start; }

.row-middle {align-self : center ; }

.row-last {align-self : flex-end ; }

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

79838087

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

from moviepy.editor import VideoFileClip, concatenate_videoclips

video1 = VideoFileClip("video1.mp4").set_fps(24) # resample to 24 fps

video2 = VideoFileClip("video2.mp4").set_fps(24) # resample to 24 fps

final_video = concatenate_videoclips([video1, video2])

final_video.write_videofile("output.mp4", fps=24)

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

79838085

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

Okay, so assuming that I never want to use Kryo, but prefer to use POJO for state evolution, this is the summary if I understand correctly:

What must be serialisable:

Things that must be serialisable with POJO:

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

79838079

Date: 2025-12-04 15:22:01
Score: 4.5
Natty:
Report link

I feel he just wanted to check about my understanding skills of Data set @Bart

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • User mentioned (1): @Bart
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Manoj

79838078

Date: 2025-12-04 15:21:00
Score: 0.5
Natty:
Report link

You can do this in ack:

echo -e "hello1, please match me\nhello2, please do not match me" > file
ack --output "\$1" '(hello[0-9]+), please match me' file

prints

hello1
Reasons:
  • Low length (1):
  • Has code block (-0.5):
Posted by: sezanzeb

79838076

Date: 2025-12-04 15:20:00
Score: 4
Natty:
Report link

Is the interviewer intentionally creating a bad design to see if you will notice?

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): Is the in
  • High reputation (-1):
Posted by: Bart McEndree

79838075

Date: 2025-12-04 15:18:59
Score: 3
Natty:
Report link

Sorry to pull up this old thread, but this script does exactly what I require. So thanks for this.

However, is it possible to change the value of "column" + index below to be the contents of the first cell in the column, i.e. the column heading, so that the exported .txt file will be named correctly rather than 'Column0.txt' etc. Hope so, and thanks for any help that anybody might offer.

folder.createFile("column" + index + ".txt", column.join("\n"));
Reasons:
  • Blacklisted phrase (0.5): thanks
  • Blacklisted phrase (1): any help
  • Blacklisted phrase (1): is it possible to
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Trail

79838070

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

The temporary queues will be used as callback destinations when using IRequestClient, for example.

conf.UsingActiveMq((ctx, cfg) =>
    {
        cfg.EnableArtemisCompatibility();
        cfg.ConfigureEndpoints(ctx);
        cfg.OverrideDefaultBusEndpointQueueName("custom-queue-name");
    });
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Alireza Memarian

79838068

Date: 2025-12-04 15:12:57
Score: 3.5
Natty:
Report link

Tekoälyn voi pyytää tekemään koodi (chatgpt). Mutta ensin pitää luoda projekti google driveen ja sitä ei tekoälyn kanssa saanut tehtyä.

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

79838067

Date: 2025-12-04 15:11:57
Score: 3.5
Natty:
Report link

Yes, you are correct. This question was asked by an interviewer. I will reply your suggestion to them. Thank you.

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

79838066

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

Try

<Item ItemNameAs="My Label" id="1641"/>
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Neil Estall

79838062

Date: 2025-12-04 15:05:55
Score: 2.5
Natty:
Report link

How do you uniquely identify each invoice? I suggest adding a pkInvoice column in the invoice table. id is a bad field name. I suggest pkCustomer and fkCustomer. I found it helpful if fields used for joining tables to be unique in the database.

Reasons:
  • Blacklisted phrase (1): How do you
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): How do you
  • High reputation (-1):
Posted by: Bart McEndree

79838057

Date: 2025-12-04 15:02:55
Score: 1
Natty:
Report link

I had the same problem. The fix is to add a query parameter before the page anchor:

document.pdf?t=123456#page=10

Edge caches PDF positions by the base URL. Adding ?t=${Date.now()} makes each link unique, so Edge treats them as different resources and doesn't use the cached page position.

Important: The query parameter must come before the #page= anchor, not after it.

// Example implementation  
const url = `${pdfUrl}?t=${Date.now()}#page=${pageNumber}`;  
window.open(url, '_blank');

This workaround was mentioned in What can I do to change this Edge PDF frame behaviour without JavaScript (Firefox works OK)

Reasons:
  • Blacklisted phrase (1): can I do
  • Blacklisted phrase (1): What can I do
  • Whitelisted phrase (-1): I had the same
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: Afonso

79838055

Date: 2025-12-04 15:00:54
Score: 1
Natty:
Report link

You are asking a really tough question that took me a while to understand. Your best bet is reading about change of measures, understanding the Girsanov theorem, the Radon-Nicodym derivative and what happens when you change measure; Ito's Lemma would also be useful.

I will attempt to explain, but I may fail miserably. The market tells you that it guesses how much inflation will be on average between now and year 3. It also guesses how much inflation will be on average between now and year 4. How inflation will actually pan out, the market tells you it doesn't know. Different models will give you different inflation convexities, depending on how you assume that inflation develops over time. But the common point is that all models will tell you that, when you look at the horizon at the end of year 4, the inflation at year 3 (as well as any other point, apart from now) is uncertain. To get the mean inflation at year 3, you then need to apply an adjustment to allow for the volatility over that time (as well as the volatility on forward interest rates I think).

The reason why you don't get that adjustment when you look straight at year 3 is because you use a different model/set of assumptions that target exactly year 3; not before not after. If you use these assumptions, you then would not know what happens in year 4.

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

79838054

Date: 2025-12-04 15:00:54
Score: 3.5
Natty:
Report link

ID column is the common for both the tables. Based on ID column I can get the results.

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

79838052

Date: 2025-12-04 14:58:53
Score: 1
Natty:
Report link

I know this is a little bit late but you can set it like this (I know this is a hack, but it is the simplest thing I can find):

class MultipartFormRenderer(BaseRenderer):
    boundary = 'boundary'
    media_type = 'multipart/form-data'
    format = 'multipart'
    charset = f'utf-8; boundary={boundary}'
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Rares

79838051

Date: 2025-12-04 14:57:53
Score: 1.5
Natty:
Report link

If I correct your data, Pat is not the customer associated with Invoice #5. fiddle

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

79838048

Date: 2025-12-04 14:54:52
Score: 2
Natty:
Report link

How are these tables related? You have no customers defined that match the customerid values within the invoice table. fiddle

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): How are these
  • High reputation (-1):
Posted by: Bart McEndree

79838040

Date: 2025-12-04 14:48:50
Score: 1
Natty:
Report link
No one commented on this, but this also happens when we have dependencies on spring-security-web, spring core, and spring-security-config in different versions, execute a `mvn dependency:tree` and ensure this...
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Renato Vasconcellos

79838032

Date: 2025-12-04 14:39:48
Score: 4.5
Natty:
Report link

# Source - https://stackoverflow.com/a/69623670

# Posted by Hardik Sanghavi

# Retrieved 2025-12-04, License - CC BY-SA 4.0

$ flask run

* Running on http://127.0.0.1:5000/

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

79838031

Date: 2025-12-04 14:38:47
Score: 2
Natty:
Report link

{r eval = FALSE, include = FALSE}

install.packages(c("tidyverse", "emmeans", "afex", "performance", "ggbeeswarm", "see"))

or try. install.packages(c("tidyverse", "emmeans", "afex", "performance", "ggbeeswarm", "see"))

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

79838028

Date: 2025-12-04 14:35:46
Score: 5.5
Natty:
Report link

Getting the same issue, will check back to see if you found the solution. Already did a clean installation of nodejs but still get the same error.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): Getting the same issue
  • Me too answer (0): get the same error
  • Single line (0.5):
  • Low reputation (1):
Posted by: John Rocha

79838026

Date: 2025-12-04 14:32:45
Score: 4
Natty: 4.5
Report link

You need to user the package Microsoft graph SDK.

https://learn.microsoft.com/en-us/sharepoint/dev/sp-add-ins-modernize/understanding-rsc-for-msgraph-and-sharepoint-online

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

79838023

Date: 2025-12-04 14:29:44
Score: 3
Natty:
Report link

The given solutions work and I'm able to get 3 x 3 matrix of numbers. Thanks to everyone for piching-in to help.

I would also like to understand if there is any way using that loop where I can get the list names in order as well... like lst1, lst2 and lst3

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: kirtyakshay

79838022

Date: 2025-12-04 14:28:44
Score: 4
Natty:
Report link

I have the same kind of situation, I create 3 containers with linux distro inside. And when using Docker Desktop everything is running just fine.
But I wanted to launch them without any user session in order to have the webservice delivered as soon as the Windows server is running.

Until now i can't find any good solution and things aren't easy to debug. I try using the Docker Engine but as my containers are linux it's not working. So is there a way to launch the desktop docker version out of a user session and have the containers launched automatically as soon as Windows is loaded ?

Reasons:
  • Blacklisted phrase (1): is there a way
  • Long answer (-0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Patrice VINCENT

79838014

Date: 2025-12-04 14:19:41
Score: 0.5
Natty:
Report link

I'm a self taught dev, but I love front-end coding, either way take what I say with grain of salt. Component libraries were mentioned, and I remember the first time I played with MUI. I thought it might be good practice to recreate Material UI using React and Emotion. Thats the point I duscovered what you discovered, that making truly universal components is alot more work than most think.

The truth, in my experience, is don't reinvent the wheel. Libraries like Bootstrap and MUI are very good for building most common webapps. They are 'basic' meaning they are specifically designed to be optimum visual style for common apolications. And there is a good amount of customization possible, but it has its limits. You will find that as you use them on more and more projects, that those projects will all start looking and feeling the same. Mainly because they are.

This is the point where I give me earned lesson, then the real professionals can correct me if I'm wrong or confirm if I'm right. For most parts of your project, pick a library that you are confortable with, and use it, but if you need a custom component, build that yourself (or modify a component in the library.) You don't have to build everything from scratch, but a few custom components can stand out.

Now, if you need a truly customized webapp, a library I have enjoyed is shadcn, which gives you premade, generic components that you can free-will customize using talindcss. As of right now this is my favorite workflow. Because, unlike material ui, shadcn gives you the entire code, instead of having to use props/args to make changes to components. You also only install the components you need, modify them to your desired output using tailwindcss classes, and build.

As for knowing how something will look on other devices, devtools is nice because the dropdown has several mobile device versions so you can see what your app will look like on different devices. Most people use the internet on their phone or some mobile device so I tend to work with my devtools output set to a mobile output. This is also where tailwind comes in handy with its breakpoint system. You design a view for mobile, once you have the mobile view the way you like it, switch to the responsive(desktop) view then you make you changes with breakpoint classes (sm, md, lg, xl). This description is much simpler than the process is but thats my 50k foot view.

Most of all. Enjoy what you are doing. Play with things like a kid with a lego set.

Happy coding!

Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: c.meyer.johnson0228

79838009

Date: 2025-12-04 14:17:40
Score: 3.5
Natty:
Report link

As my question was immediately blasted with downvotes for mysterious reasons I will answer it myself.

The short answer is it appears that the responsibility for encrypt/decrypt is up to you when writing/reading if you want equivalent functionality to the older version using the encryption provider concept.

(Another option is you could fork Akavache and re-introduce similar logic into the Get/Insert methods.)

Reasons:
  • RegEx Blacklisted phrase (2): downvote
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: DennisWelu

79838005

Date: 2025-12-04 14:16:40
Score: 2
Natty:
Report link

A conta do TikTok tem quer ser privada também pra funcionar. Eu estava com o erro igual ao seu, e quando coloquei a conta do TikTok privada, funcionou. Para definir a conta do TikTok como privada atualmente no aplicativo Android, vá para: Menu -> Configurações e privacidade -> Privacidade -> Clique em Conta Privada.

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

79838002

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

I meet GL_INVALID_OPERATION too when glBindImageTexture.

Like CodingLumis said(need to read his answer util the end), solution is : replace glTexImage2D with glTexStorage2D

According https://arm-software.github.io/opengl-es-sdk-for-android/compute_intro.html

A very important restriction for using shader images is that the underlying texture must have been allocated using "immutable" storage, i.e. via glTexStorage*()-like functions, and not glTexImage2D().

---
Reasons:
  • Whitelisted phrase (-1): solution is
  • Probably link only (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: pavilion

79838000

Date: 2025-12-04 14:13:39
Score: 1.5
Natty:
Report link

@Radinator OP expected lst(i) to dynamically resolve to lst1

Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • User mentioned (1): @Radinator
  • Single line (0.5):
  • Looks like a comment (1):
  • High reputation (-2):
Posted by: deceze

79837991

Date: 2025-12-04 14:06:37
Score: 2.5
Natty:
Report link

In your code you defining lst1 as lst1 = [] but use lst later in the code.

To compare:
lst1
lst

Do you see the difference?

Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Ends in question mark (2):
Posted by: Radinator

79837989

Date: 2025-12-04 14:06:36
Score: 5
Natty:
Report link

👉 How do I create variable variables?

Reasons:
  • Blacklisted phrase (1): How do I
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • High reputation (-2):
Posted by: deceze

79837986

Date: 2025-12-04 14:04:35
Score: 0.5
Natty:
Report link

I had the same problem, where only some of the syntax highlighting was coloured correctly, just like yours. I was using Dark(Visual Studio). What worked for me was installing Pylance and changing the color theme to Dark Modern.

Reasons:
  • Whitelisted phrase (-1): I had the same
  • Whitelisted phrase (-1): worked for me
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: visual_melt

79837972

Date: 2025-12-04 13:44:29
Score: 1
Natty:
Report link
Text("Your text",
    modifier = Modifier
        .border(width = 1.dp, color = Color(0xFF908787), shape = RoundedCornerShape(5.dp))
)

Use modifier border .it works properly in my case.

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

79837966

Date: 2025-12-04 13:37:27
Score: 4.5
Natty:
Report link

This works like a charm! Thanks a lot!

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (2):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Honestiore

79837965

Date: 2025-12-04 13:36:27
Score: 3.5
Natty:
Report link

There may have been a bug in the MsgReader assembly. I upgraded it to 6.0.6 and now it works correctly.

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

79837958

Date: 2025-12-04 13:28:25
Score: 1.5
Natty:
Report link

How about ^\d+\n.*\n-.*$(?!\n-) with /gm modifiers?

^\d+\n finds the header, assuming it is always just digits

.*\n skips the subheader

-.*$ finds one line that starts with the hyphen

(?!\n-) is a negative look-ahead to ensure the next line does not start with a hyphen

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): How
  • Low reputation (0.5):
Posted by: Argysh

79837938

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

I looks like SqlConnection already has a built in retry policy for opening a connection, which is managed by the Connection string parameters: "ConnectRetryCount" and "ConnectRetryInterval".

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

79837936

Date: 2025-12-04 12:59:18
Score: 1.5
Natty:
Report link

Power BI doesn’t support separate dynamic scales per measure on a single line chart. If you put several measures on one line visual, they all share the same Y-axis, so the biggest measure will flatten the smaller ones.

You can either use a combo chart with a secondary axis, split them into separate visuals or instead of plotting raw values, create “index” measures that divide by their own max or by a baseline.

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

79837934

Date: 2025-12-04 12:57:17
Score: 3.5
Natty:
Report link

Why not run the original less via subprocesses?

import subprocess

def less(text):
    p = subprocess.Popen(["less"], stdin=subprocess.PIPE)
    p.communicate(text.encode())

 
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): Why not
  • Low reputation (0.5):
Posted by: Fırat Kıyak

79837931

Date: 2025-12-04 12:51:16
Score: 2
Natty:
Report link

What worked better for me was to go to Project Structure > Project Settings > Modules then select my module, on the right-hand side pane choose Dependencies, and from there, I set the Python SDK via the Module SDK: drop down

enter image description here

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Starts with a question (0.5): What
  • Low reputation (0.5):
Posted by: Mateva

79837930

Date: 2025-12-04 12:50:15
Score: 2.5
Natty:
Report link

It’s totally normal to feel lost at the beginning—steady Python practice makes a big difference. If you're planning to build a long-term AI career, the USAII NextGen Challenge 2026 is tailored for high-school students, undergraduates, and college graduates, giving them a structured starting point.

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

79837926

Date: 2025-12-04 12:44:14
Score: 3
Natty:
Report link

Use DuckDB, connect it to Tableau and then read Delta format using it.
https://duckdb.org/docs/stable/guides/data_viewers/tableau

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

79837919

Date: 2025-12-04 12:38:12
Score: 5.5
Natty: 4.5
Report link

download setup openssl from this link

http://downloads.sourceforge.net/gnuwin32/openssl-0.9.8h-1-setup.exe

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

79837918

Date: 2025-12-04 12:35:11
Score: 2.5
Natty:
Report link

TUNGSAHUR.apk

1 /storage/emulated/0/‪Android/data/TUNGSAHUR.apk: open failed: ENOENT (No such file or directory

)

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: จอม พระครอง

79837913

Date: 2025-12-04 12:30:10
Score: 4.5
Natty:
Report link

So it stores Lists of different types, and other things? Can you show how you use it?

Reasons:
  • RegEx Blacklisted phrase (2.5): Can you show how you
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • High reputation (-2):
Posted by: Magnus

79837911

Date: 2025-12-04 12:28:09
Score: 2
Natty:
Report link

DEWADEPO | Slot Demo Pragmatic Play Gacor Terbaru Hari Ini

https://mez.ink/dewadepo

Temukan keseruan bermain dengan DEWADEPO, slot demo terbaru dari Pragmatic Play yang menawarkan pengalaman gacor yang tak tertandingi! Dengan grafis yang memukau dan fitur-fitur inovatif, Anda akan merasakan sensasi bermain yang lebih mendebarkan. Nikmati berbagai tema menarik dan peluang menang yang lebih besar setiap harinya. Bergabunglah sekarang dan rasakan sendiri mengapa DEWADEPO menjadi pilihan utama para penggemar slot.

Slot demo memberikan kenyamanan bagi pemain untuk mencoba berbagai permainan tanpa risiko, sekaligus menghadirkan keseruan lewat fitur, grafik, dan gameplay yang sama seperti versi asli. Mode ini cocok untuk belajar pola, memahami mekanisme game, dan menemukan slot favorit sebelum bermain dengan uang sungguhan.

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

79837909

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

Solved. This is a non-issue, has nothing to do with Google App Script or Cards or anything.

Another Chrome Extension is somehow messing up the height. I checked their code but can really seem to find the exact reason because they don't inject styling for all iframes.

Should have check this much sooner.

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

79837902

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

No I need to hit enter to the msbuild command multiple times.
Then it will compile more and more modules succesfully until finally wont give errors (no file modifications in between, I meant).

Reasons:
  • Blacklisted phrase (0.5): I need
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • High reputation (-1):
Posted by: JairoV

79837899

Date: 2025-12-04 12:18:06
Score: 2
Natty:
Report link

Thanks for your response. I should clarify that I’m still at the very beginning of this project, so I don’t yet have a full codebase or dataset to share. My current experiments are with ArcFace/MobileFaceNet in PyTorch, mainly to understand the pipeline end‑to‑end (detection → alignment → embedding → matching). My main goal is to support incremental enrollment of new identities without retraining the whole model from scratch. In other words, I’d like the system to adapt over time while minimizing catastrophic forgetting and avoiding heavy retraining cycles.

I understand fine‑tuning is a common approach, but I’m trying to figure out what architecture choices make this easier. For example:

Since I’m still learning, I’d appreciate guidance on which model architecture is most practical for a project like this, where retraining from scratch isn’t feasible. My aim is to build something simple first (incremental enrollment) and then explore more advanced continual learning methods if time allows.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: NewUserrr

79837894

Date: 2025-12-04 12:13:04
Score: 6.5
Natty:
Report link

Hey can u pls tell how do I use the command line ? I'll give a try. Thanks!

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (1): how do I
  • RegEx Blacklisted phrase (2.5): can u pls tell how
  • Low length (1.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: Saumini Navaratnam

79837891

Date: 2025-12-04 12:10:04
Score: 3.5
Natty:
Report link

@Abra I never mentioned any progress indicators or overlays. I simply want the button to be disabled while the task (asynchronous or otherwise) is running

Reasons:
  • Low length (1):
  • No code block (0.5):
  • User mentioned (1): @Abra
  • Self-answer (0.5):
  • Single line (0.5):
  • Looks like a comment (1):
  • High reputation (-1):
Posted by: Sergey Zolotarev

79837882

Date: 2025-12-04 12:00:01
Score: 3
Natty:
Report link

The issue is not from Database. For Spring DataSource with manually import, you have to configure your ResourceDatabasePopulator object.

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

79837880

Date: 2025-12-04 11:59:01
Score: 3.5
Natty:
Report link

I appreaciate you soooo much, as a college student i wanted to do my own voice chat app and i was having the same problem for weeks. Thanks a lot.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: DjNaRuTo

79837878

Date: 2025-12-04 11:57:00
Score: 2.5
Natty:
Report link

How to setup Android phone owner permission is required to. Like google account playstor, gmail.and password has been hacked someone

If it's possible to set up, please need some guidance.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Starts with a question (0.5): How to
  • Low reputation (1):
Posted by: seikho thang

79837876

Date: 2025-12-04 11:53:59
Score: 6.5
Natty:
Report link

How can I check if GPS is available on laptop. And what if accuracy parameter is around 250 meters?

Reasons:
  • Blacklisted phrase (0.5): How can I
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Self-answer (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): How can I
  • Low reputation (1):
Posted by: vk_

79837867

Date: 2025-12-04 11:39:56
Score: 3
Natty:
Report link

I agree with @wohlstad, its premise is based on the principle of removing half the currently valid data from the results. The distribution of the data is irrelevant since the results would have to be sorted before a binary search is performed.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • User mentioned (1): @wohlstad
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: The Betpet

79837861

Date: 2025-12-04 11:32:54
Score: 2
Natty:
Report link

You may have a look at Binary search for no uniform distribution

Reasons:
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Single line (0.5):
  • High reputation (-2):
Posted by: Jean-Baptiste Yunès

79837846

Date: 2025-12-04 11:15:50
Score: 1
Natty:
Report link

The easiest way to structure my code is to follow two simple rules:

I make a function when a piece of code does one specific job, or when I notice I’m repeating the same steps in different places.
Functions help keep the code clean, reusable, and easier to understand.

• I make a class when I’m representing a real “thing” in my program like a user, a product, or an order or when some data and the functions that work on that data naturally belong together.

Classes help organize related logic so it’s not scattered everywhere.

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

79837845

Date: 2025-12-04 11:14:50
Score: 3
Natty:
Report link

This is the download link for Microsoft Reporting Services 2022+

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

79837844

Date: 2025-12-04 11:11:49
Score: 2
Natty:
Report link

gunicorn app:server --workers 4 --threads 1 --timeout 120

For CPU-heavy or Pandas/NumPy tasks, threads don’t help because of the Python GIL. Increasing worker and reducing threads improves responsiveness:

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

79837840

Date: 2025-12-04 11:08:48
Score: 3.5
Natty:
Report link

It is important to paste into Plant 3d project certain 3d Parts from catalog with their data. Methods to "add" are returning only their ObjectID, not 3d object

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

79837837

Date: 2025-12-04 11:04:47
Score: 5.5
Natty: 6
Report link

What if the tensor has no elements in it?

How do i solve this?

import torch
x = torch.tensor([])
x = torch.cat((x,3),0)
#outputs an error
Exception has occurred: TypeError 
expected Tensor as element 1 in argument 0, but got int
x = torch.cat((x,3),0)
        ^^^^^^^^^^^^^^^^^^
TypeError: expected Tensor as element 1 in argument 0, but got int
Reasons:
  • Blacklisted phrase (1): How do i
  • RegEx Blacklisted phrase (1.5): solve this?
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): What if the
  • Low reputation (1):
Posted by: Max xander

79837833

Date: 2025-12-04 11:01:46
Score: 2
Natty:
Report link

In that case, I think it might make sense to open an issue with purrr.

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

79837826

Date: 2025-12-04 10:55:44
Score: 6
Natty: 7
Report link

Apple also isn't allowing us to ask user for their name stating some design policy. Our codebase is same for Android and iPhone so how do I counter this?

Reasons:
  • Blacklisted phrase (1): how do I
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Mazdiar Patel

79837825

Date: 2025-12-04 10:54:44
Score: 3
Natty:
Report link

To insert a line break (\n) at a specific location, simply press Option + Enter on your keyboard
:)enter image description here

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

79837824

Date: 2025-12-04 10:52:43
Score: 3
Natty:
Report link

It will be safe and resolve your issue. TextField( focusNode: _focusNode, onTapOutside: (PointerDownEvent event) { _focusNode.unfocus(); }, )

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

79837809

Date: 2025-12-04 10:38:40
Score: 3.5
Natty:
Report link

@Abra follow-up question, do you examine your search results before referencing them? None of the pages returned for your request actually answer what I asked (which is not how to put IO in the background)

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • User mentioned (1): @Abra
  • Self-answer (0.5):
  • Single line (0.5):
  • Looks like a comment (1):
  • High reputation (-1):
Posted by: Sergey Zolotarev

79837807

Date: 2025-12-04 10:35:39
Score: 2
Natty:
Report link

I have found that in a WPF no matter what you do no matter how you read it the state of the middle Mouse button always returns released. I'm still searching for a way to read the center Mouse button myself. I can read everything else about the mouse. But the center button always returns released.

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

79837805

Date: 2025-12-04 10:34:39
Score: 1
Natty:
Report link

Yea I looked there and the purrr::in_parallel() docs suggest exactly that: placing all relevant functions inside in_parallel() which isn't really feasible with a lot of function. Maybe there's some way to get all functions from the scripts and put them in a list though being able to use things like box would be ideal

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

79837799

Date: 2025-12-04 10:25:36
Score: 2
Natty:
Report link

In my case adding Asp NET Application Development Features solved the problem.

I can develop Blazor Application with NET 8.0 but for a Web Form site Visual Studio 2022 gives the debug problem.

Problem

enter image description here

Platform: Windows 10 Pro, Visual Studio 2022

Solution

Install - Add ASP.NET 4.8 Feature

enter image description here

Result

Application run with debug.

enter image description here

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

79837798

Date: 2025-12-04 10:24:36
Score: 1
Natty:
Report link

I faced the same issue on a Samsung Note 9. Instead of using image_picker, I switched to the camera package (current version I use: camera: ^0.11.3) and built my own custom camera screen. This approach is much lighter and works well even on low-memory devices. After replacing image_picker, the restart issue no longer occurred on my device.

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