79149655

Date: 2024-11-01 23:33:26
Score: 2.5
Natty:
Report link

Apparently the action name changed to bulk_actions-woocommerce_page_wc-orders

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

79149613

Date: 2024-11-01 23:02:20
Score: 3
Natty:
Report link

As of November 2024, such a tool does NOT exist!

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

79149611

Date: 2024-11-01 23:00:20
Score: 3
Natty:
Report link

You might consider having a look at the FPDF_ImportPages api found in the fpdf_ppo.h public header. I think it might do most of the heavy lifting of what you are trying to do

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

79149594

Date: 2024-11-01 22:48:17
Score: 1.5
Natty:
Report link
<?php if (isMobile) {}

Answer is the line above, - it contains isMobile, which should be either variable or constant, turned out missed $ before isMobile

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

79149591

Date: 2024-11-01 22:44:17
Score: 3
Natty:
Report link

When I tried this solution enter image description here I was unsure if it worked. The result is: Google Ads Still Running - solution adding AW- is correct?

Reasons:
  • Whitelisted phrase (-1): it worked
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Starts with a question (0.5): When I
  • Low reputation (0.5):
Posted by: Marcin Milowski

79149581

Date: 2024-11-01 22:40:16
Score: 3.5
Natty:
Report link

I was able to resolve this by using the dial verb to call another twilio number linked to the voice bot and using the record parameter on that Dial verb

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

79149568

Date: 2024-11-01 22:32:14
Score: 0.5
Natty:
Report link

I have an update, I can see the nested datagrid now in the second cell but I can't use colspan for dynamic col and also the height dont change so for now I need just to adjust the height and the width of the cell if the row is added

"use client";
import * as React from "react";
import { DataGrid } from "@mui/x-data-grid";
import Box from "@mui/material/Box";
import SubTaskTable from "./SubTaskTable";

export default function TaskTable({ tasks }) {
  const [expandedTaskId, setExpandedTaskId] = React.useState(null);

  const columns = [
    { field: "title", headerName: "Titre", width: 200 },
    {
      field: "description",
      headerName: "Description",
      width: 300,
      renderCell: (params) => {
        if (params.row.isSubTask) {
          return (
            <Box
              sx={{
                gridColumn: `span ${columns.length}`, 
                bgcolor: "rgba(240, 240, 240, 0.5)",
                padding: 2,
                textAlign: "center",
                fontWeight: "bold",
                minHeight: 250, 
                display: "flex",
                alignItems: "center",
                justifyContent: "center",
              }}
            >
              <SubTaskTable subTasks={params.row.subTasks || []} />
            </Box>
          );
        }
        return params.value;
      },
    },
    { field: "status", headerName: "Statut", width: 120 },
    { field: "priority", headerName: "Priorité", width: 120 },
    { field: "startDate", headerName: "Date de début", width: 150 },
    { field: "dueDate", headerName: "Date de fin", width: 150 },
    { field: "createdAt", headerName: "Créé le", width: 150 },
    { field: "updatedAt", headerName: "Mis à jour le", width: 150 },
    {
      field: "files",
      headerName: "Fichiers",
      width: 200,
      renderCell: (params) => (
        <ul>
          {(params.value || []).map((file, index) => (
            <li key={index}>
              <a href={file.url} target="_blank" rel="noopener noreferrer">
                {file.name}
              </a>
            </li>
          ))}
        </ul>
      ),
    },
  ];

  const handleRowClick = (params) => {
    setExpandedTaskId((prevId) => (prevId === params.row.id ? null : params.row.id));
  };

  const rows = tasks.flatMap((task) => {
    const mainRow = {
      id: task._id,
      title: task.title,
      description: task.description,
      status: task.status,
      priority: task.priority,
      startDate: task.startDate ? new Date(task.startDate).toLocaleDateString() : "N/A",
      dueDate: task.dueDate ? new Date(task.dueDate).toLocaleDateString() : "N/A",
      createdAt: task.createdAt ? new Date(task.createdAt).toLocaleDateString() : "N/A",
      updatedAt: task.updatedAt ? new Date(task.updatedAt).toLocaleDateString() : "N/A",
      files: task.files || [],
    };

    if (task._id === expandedTaskId) {
      return [
        mainRow,
        {
          id: `${task._id}-subTask`,
          isSubTask: true,
          title: "",
          description: "",
          subTasks: task.subTasks || [],
        },
      ];
    }

    return [mainRow];
  });

  return (
    <Box sx={{ width: "100%" }}>
      <DataGrid
        rows={rows}
        columns={columns}
        pageSize={5}
        getRowId={(row) => row.id}
        onRowClick={(params) => {
          if (!params.row.isSubTask) handleRowClick(params);
        }}
        sx={{
          "& .MuiDataGrid-row.isSubTask .MuiDataGrid-cell": {
            display: "none",
          },
          "& .MuiDataGrid-row.isSubTask .MuiDataGrid-cell--withRenderer": {
            display: "block",
            gridColumn: `span ${columns.length}`,
          },
          "& .MuiDataGrid-row.isSubTask": {
            bgcolor: "rgba(240, 240, 240, 0.5)",
          },
        }}
      />
    </Box>
  );
}
Reasons:
  • Blacklisted phrase (0.5): I need
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Khaoula EL MOUANNISS

79149567

Date: 2024-11-01 22:32:14
Score: 1
Natty:
Report link

Under MacOS Sequoya 15 i use xxd to determine keybindings for current keymode with terminal settings etc

for iterm2 in ~/.zshrc i need:

bindkey '^[[1;9C' forward-word
bindkey '^[[1;9D' backward-word

and for alacrtitty and tmux in default i use

bindkey '^[[1;3C' forward-word
bindkey '^[[1;3D' backward-word

Reasons:
  • Blacklisted phrase (0.5): i need
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: lain0

79149565

Date: 2024-11-01 22:31:14
Score: 3
Natty:
Report link

hardware problem. I bought a new Macbook.

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

79149550

Date: 2024-11-01 22:23:12
Score: 2.5
Natty:
Report link

Fixed.

There is an advanced migration setting in DMS, and I can update the connection size; otherwise, it will be determined by the run time, which is 8.

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

79149535

Date: 2024-11-01 22:16:11
Score: 2
Natty:
Report link

You're trying to decode an audio/mpeg file and sound it to the speaker which supports audio/raw. This translation is not automatically supported by the emulator. Try playing instead a file which would use the same source and target codecs like raw PCM wav file, and see what happens

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

79149532

Date: 2024-11-01 22:15:11
Score: 1.5
Natty:
Report link

So it was really a very stupid mistake.

Our filestructure:

src/js/event-webcomponents.js

and in the package.js the module attribute was still pointing to the old name of the file: "module": "src/js/events-webcomponents.js",

classic typo...

Unfortunatley the typescript "Module not found: Error" message is not very helpfull in this case. But if you have a similar issue, it is worth to tripple check all your paths.

Reasons:
  • Has code block (-0.5):
  • Me too answer (2.5): have a similar issue
  • Self-answer (0.5):
  • High reputation (-1):
Posted by: Andreas

79149531

Date: 2024-11-01 22:15:11
Score: 3
Natty:
Report link

So the actual issue had nothing to with this method which you all were right. The issue that I was stuck on for almost 4 days was because I didn’t correctly name a variable which was causing this error in my program. I appreciate all of your help and advice.

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

79149527

Date: 2024-11-01 22:13:10
Score: 0.5
Natty:
Report link

This is an improvement on @jpydymond's answer, as it corrects for the problem where the internal value of sub-decimal '.xxxx5' can really be '.xxxx499999...'. That can cause his 'round(123.335,2)' to return 123.33 instead of the desired 123.34. The snippet fixes that and also constrains to the limit of 0...9 decimal places due to 64-bit precision limits.

public static double round (double value, int decimalPlaces) {
    if(decimalPlaces < 0 || decimalPlaces > 9) {
        throw new IllegalArgumentException("The specified decimalPlaces must be between 0 and 9 (inclusive).");
    }
    int scale = (int) Math.pow(10, decimalPlaces);
    double scaledUp = value * scale;
    double dec = scaledUp % 1d;
    double fixedDec = Math.round(dec*10)/10.;
    double newValue = scaledUp+fixedDec;

    return (double) Math.round( newValue )/scale;
}

Sample output:

round(265.335,0)          = 266.0
round(265.335,2)          = 265.34
round(265.3335,3)         = 265.334
round(265.3333335,6)      = 265.333334
round(265.33333335,7)     = 265.3333334
round(265.333333335,8)    = 265.33333334
round(265.3333333335,9)   = 265.333333334
round(1265.3333333335,9)   = 1265.333333334
round(51265.3333333335,9)   = 51265.333333334
round(251265.3333333335,9)   = 251265.333333334
round(100251265.3333333335,9)   = 1.0025126533333333E8
round(0.1,0) = 0.0
round(0.1,5) = 0.1
round(0.1,7) = 0.1
round(0.1,9) = 0.1
round(16.45,1) = 16.5

I hope this is helpful.

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @jpydymond's
  • Low reputation (1):
Posted by: Mel Martinez

79149519

Date: 2024-11-01 22:06:08
Score: 3
Natty:
Report link

For me running on android 14 it seems to be between 33f and 35f depends on the phone? not sure why but this is really annoying for me because I need a precise location across all phones.

Reasons:
  • Blacklisted phrase (0.5): I need
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Fahad Alkamli

79149510

Date: 2024-11-01 22:02:07
Score: 3
Natty:
Report link

Super simple, just let it close the issue then reopen it manually.

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

79149509

Date: 2024-11-01 22:02:06
Score: 4
Natty:
Report link

This is essentially a non answer. Basically saying its a network issue without any information about how to go about diagnosing or resolving. Resolve connectivity between what two points? I mean it's likely a network issue but how would you find the issue.

Reasons:
  • Blacklisted phrase (1): how would you
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: user3229387

79149508

Date: 2024-11-01 22:01:06
Score: 3.5
Natty:
Report link

update: it worked after instaling this buildpack

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

79149497

Date: 2024-11-01 21:56:05
Score: 1
Natty:
Report link

Option: Using :focus pseudo-class

Your CSS already defines styles for the .btn-primary:focus state. You can add the outline: none; property to remove the default browser outline:

.btn-primary:focus {
  outline: none !important;  
  box-shadow: none !important;
  background-color: #b80c09;
}

Also check the cache in the browser, is there any conflicting styles in Bootstrap that is why I put !important to override.

The :focus pseudo-class applies styles when an element receives focus and the outline property controls the outline around an element when focused.

Reasons:
  • Blacklisted phrase (1): is there any
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Hamza Crnovrsanin

79149496

Date: 2024-11-01 21:54:05
Score: 0.5
Natty:
Report link

This depends on the set-top box you're using. Not all settop-boxes will support device rotation. If you think about it - there is no sense to it, as a user will not typically rotate a settop-box connected to a tv :) This is to the discretion of the Settop-box developer if they want to support it or not. I would try to find and install a number of 3rd party apps which rotates the display and work on regular smartphones, and test them on the same set top box. This will give you a good idea, or if you can - contact the developer of the set top box and ask them.

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

79149490

Date: 2024-11-01 21:52:04
Score: 1
Natty:
Report link

File->Info->Edit Links to Files

Edit Links Button

Then there should be a button that say "Break Link". Confirm when asked "Are you sure?".

Break Link Button

After you've broken the link, if you want to be able to edit the data in the future, you'll need to use "Change Source" relink it to either the original Excel file, or a copy that you saved to preserve the state of the data when you created the chart. Breaking the link does not seem to automatically create a chart-specific local copy of the Excel spreadsheet that was used to make it.

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

79149489

Date: 2024-11-01 21:52:04
Score: 0.5
Natty:
Report link

Use @JsonFormat annotation:

@JsonFormat(shape = JsonFormat.Shape.STRING)
protected InputTypeEnum inputType;
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • User mentioned (1): @JsonFormat
  • High reputation (-1):
Posted by: kapandron

79149483

Date: 2024-11-01 21:47:03
Score: 1
Natty:
Report link

This issue can happen when you upgrade php version. DevServer17 does not update correctly. I faced the same problem when upgrading php5 to php7 and then php8.

To fix the problem, perform the following steps.

  1. Delete (or better, move somewhere else) the older php folders located in: C:\Program Files (x86)\EasyPHP-Devserver-17\eds-binaries\php\

  2. Insert the correct php version in the server folder: C:\Program Files (x86)\EasyPHP-Devserver-17\eds-binaries\httpserver\apache2425vc11x86x241027114803\conf (note: apache2425vc11x86x241027114803 is the latest folder I installed, the name may vary depending on the version you are installing) by modifying the files "httpd.conf" and "httpd-php.conf" Insert correct php folder path in the server httpf conf files

  3. Launch the dashboard. Devserver will prompt a warning related to the http server. Click on the tooth gear icon http server warning

  4. Select the newly installed php version select latest php version

Everything should work fine now!

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

79149475

Date: 2024-11-01 21:39:02
Score: 2
Natty:
Report link
if ( { command-list } ) then
    echo "success"
endif
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Nicholas Christopoulos

79149464

Date: 2024-11-01 21:32:00
Score: 0.5
Natty:
Report link

Excellent question, to begin let's start at a common ground with CRUD:

In CRUD, we lay our application's methods out like such:

The second method 'Read' is essentially what you want to do against the User table in your database or object store.

In your read function rather than searching for

where user.twitterId == 'mySearch'

Instead do

where user.twitterId LIKE '%mySearch%'

The first would restrict your users to knowing IDs exactly, whereas the second gives leeway yet may be slow; thus begins your optimisation journey via tweaking

  1. The query (query optimisation)
  2. Where you store the results (caching/sharding)
  3. When do you run the query (runtime optimisation)

To answer your question, yes twitter may be querying a list of you and/or your friends followers on app startup or slowly as you use it, which is their solution in runtime optimisation.

Perhaps in your app each post retrieved will come with their top 5 contributiors which are added to relevant Ids to search.

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

79149455

Date: 2024-11-01 21:27:59
Score: 0.5
Natty:
Report link

You could add each trace a loop.

fig = make_subplots(rows=1, cols=2)

for trace in p3().data:
    fig.add_trace(trace,
                  row=1, col=1
                  )

for trace in p2().data:
    fig.add_trace(trace,
                  row=1, col=2
                  )

fig.update_layout(height=600, width=800, title_text="Side By Side Subplots")
fig.show()

fig

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

79149443

Date: 2024-11-01 21:19:57
Score: 2
Natty:
Report link

The problem is likely caused by the vite SSR step. Edit your vite.config.ts with:

... defineConfig({
  plugins: [ ... ],
  ssr: {
    noExternal: [
      "some-lib,
    ],
  },
})

Similar issue here: https://github.com/vitejs/vite/discussions/16190

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

79149437

Date: 2024-11-01 21:16:57
Score: 1
Natty:
Report link

Try with the spark.jars.packages property.

spark = SparkSession.builder.master("local[*]") \
.appName('Db2Connection') \
.config('spark.jars.packages', 'com.springml:spark-salesforce_2.12:1.1.4') \
.getOrCreate()
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Dominik Lenda

79149436

Date: 2024-11-01 21:16:57
Score: 1.5
Natty:
Report link

const arr1 = [10, 20, 30, 40, 50];

const res = arr1.at(2);
console.log(res);

Javascript Error

Line Number: 180

Uncaught TypeError: List._items.at is not a function -------------- if (List._items.at(-1).type == 3) {

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Filler text (0.5): --------------
  • Low reputation (1):
Posted by: Hossain Mohammad Nayem

79149428

Date: 2024-11-01 21:12:56
Score: 1.5
Natty:
Report link

In short, if you get this stupid error when building Android in Unity, just go to the project settings, find the Android build there and check the Custom Main Gradle Template and Custom Gradle Settings Template. I hope this will help you too. Wasted three days on this.

Reasons:
  • Whitelisted phrase (-1): hope this will help
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Артем Карамалак

79149426

Date: 2024-11-01 21:10:55
Score: 0.5
Natty:
Report link

Adding dayjs to optimizeDeps on vite.config.ts did the work for me:

export default defineConfig({
  // ...config
  ssr: {
    optimizeDeps: {
      include: ['dayjs'],
    },
  },
});
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: vicvans20

79149424

Date: 2024-11-01 21:09:54
Score: 0.5
Natty:
Report link

With help from the Jackson community:

When calling the ObjectMapper:

return objectMapper
            .writer()
            .withAttribute(MaskingSerializer.JSON_MASK_ENABLED_ATTRIBUTE, Boolean.TRUE)
            .writeValueAsString(entity);

and in the serializer:

if (serializerProvider.getAttribute(JSON_MASK_ENABLED_ATTRIBUTE) == Boolean.TRUE) {
        jsonGenerator.writeString(RegExUtils.replaceAll(value, ".", "*"));
} else {
        jsonGenerator.writeString(value);
}
Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: JasonBodnar

79149414

Date: 2024-11-01 21:03:53
Score: 3
Natty:
Report link

The official docs say to put a 1 in front of the smtp address, so: 1 smtp.google.com

Set TTL to 1hr (3600 seconds)

enter image description here

https://apps.google.com/supportwidget/articlehome?hl=en&article_url=https%3A%2F%2Fsupport.google.com%2Fa%2Fanswer%2F174125%3Fhl%3Den&assistant_event=welcome&assistant_id=gsuitemxrecords-gixvmm&product_context=174125&product_name=UnuFlow&trigger_context=a

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

79149412

Date: 2024-11-01 21:02:52
Score: 4
Natty: 4
Report link

save them as a .txt file then load as a array

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

79149410

Date: 2024-11-01 21:02:52
Score: 1.5
Natty:
Report link

What you are looking for is sparse checkout. git-scm.com/docs/git-sparse-checkouteftshift0

git sparse-checkout set <unwanted-folder>

This resolved my issues since it stops tracking unwanted folders on my checked-out branch but kept them on remote product branch.

git sparse-checkout disable

to disable this configuration on my local environment

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

79149408

Date: 2024-11-01 21:01:52
Score: 2
Natty:
Report link

I found a solution in scss file:

  ::ng-deep .cdk-overlay-container {
    z-index: 10001 !important;
  }
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: midoxy

79149395

Date: 2024-11-01 20:56:50
Score: 0.5
Natty:
Report link

Here's a version which generates a tmp dir, and atexit runs cleanup

import atexit
import tempfile

temp_dir = tempfile.TemporaryDirectory()
os.environ["PROMETHEUS_MULTIPROC_DIR"] = temp_dir.name
atexit.register(temp_dir.cleanup)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: jm-nab

79149394

Date: 2024-11-01 20:56:50
Score: 2.5
Natty:
Report link

IF NOTHING HELPED YOU

Just restart your PC :) then it works

in my case, the Windows didn't let me even to delete `.output` folder. but with restart everything fixed
Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: mohammad pourmami

79149393

Date: 2024-11-01 20:56:50
Score: 2
Natty:
Report link

try to substitute testbutton.addEventListener('click', testaudio.play()) with testbutton.addEventListener('click', () => {testaudio.play()})

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

79149385

Date: 2024-11-01 20:52:47
Score: 8 🚩
Natty: 6
Report link

This isn't an answer but I am stuck on this and StackOverflow won't let me comment. As an aside, how can we obtain the accountId and the locationId? I get lost at this step

Reasons:
  • Blacklisted phrase (1): how can we
  • Blacklisted phrase (1): StackOverflow
  • RegEx Blacklisted phrase (1): StackOverflow won't let me comment
  • RegEx Blacklisted phrase (1.5): I am stuck
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: bohrees

79149377

Date: 2024-11-01 20:50:46
Score: 2
Natty:
Report link

//@version=5 study("NVDA Closing Price")

// Getting the closing price nvda_close = close

// Plotting the closing price plot(nvda_close, title="NVDA Close", color=color.blue, linewidth=2) or //@version=5 study("NVDA Closing Price")

// Getting closing price for different timeframe nvda_close = request.security(syminfo.tickerid, "240", close) // For 4-hour closing price

plot(nvda_close, title="NVDA Close", color=color.blue, linewidth=2)

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

79149376

Date: 2024-11-01 20:49:46
Score: 5
Natty:
Report link

Your Output Result Is: abcdefghijklmnopqrstuvwxyz Correct?

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: M. R. Tanvir H.

79149373

Date: 2024-11-01 20:47:45
Score: 3.5
Natty:
Report link

Ctrl + But Only in the Keyboard, not in Numpad.

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

79149367

Date: 2024-11-01 20:43:45
Score: 0.5
Natty:
Report link

For sure I would try to find a better way but... Not sure if you can add a variable boolean success to avoid it but you can build it get the value and continue with another builder instance:

Something temp= builder.build();
boolean success= temp.isSuccess();
builder= temp.toBuilder(); 
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Martin P.

79149362

Date: 2024-11-01 20:41:44
Score: 0.5
Natty:
Report link

You can even open this math.h file and look at the prototypes.

This is by no means certain. The C language does not require

Can you help me where can I find the declaration of sin function of math.h file.

On Debian Linux, you're almost certainly using the GNU C library. In its math.h, you will find some directives of the form

#include <bits/mathcalls.h>

These each bring in the contents of the designated file, expanded according to different sets of macro definitions. The resulting macro-expanded declarations in my copy of Glibc include (reformatted):

extern double cos(double __x) __attribute__ ((__nothrow__ , __leaf__));
extern double sin(double __x) __attribute__ ((__nothrow__ , __leaf__));
extern double tan(double __x) __attribute__ ((__nothrow__ , __leaf__));
extern double pow(double __x, double __y) __attribute__ ((__nothrow__ , __leaf__));

Do not concern yourself with the __attribute__ stuff. That's a GNU extension that you don't need to know or care about at this point in your journey.

Reasons:
  • Blacklisted phrase (1): help me
  • RegEx Blacklisted phrase (3): Can you help me
  • Long answer (-1):
  • Has code block (-0.5):
  • High reputation (-2):
Posted by: John Bollinger

79149361

Date: 2024-11-01 20:41:44
Score: 1
Natty:
Report link

I modified the DataSource and created Job Repository bean as you suggest, and I was able to advance, that exception disappeared, but I got the exception below.

 .   ____          _            __ _ _

/\ / ' __ _ () __ __ _ \ \ \
( ( )_
_ | '_ | '| | ' / ` | \ \ \
\/ __)| |)| | | | | || (
| | ) ) ) ) ' || .__|| ||| |_, | / / / / =========||==============|/=//// :: Spring Boot :: (v3.2.10)

2024-11-01T16:08:47.115-04:00 INFO 20812 --- [ main] c.e.b.BatchProcessingApplication : Starting BatchProcessingApplication using Java 22 with PID 20812 (D:\User\Gilmar\git-repo\spring-batch-mastery\spring-batch-initial\target\classes started by Gilmar in D:\User\Gilmar\git-repo\spring-batch-mastery\spring-batch-initial) 2024-11-01T16:08:47.117-04:00 INFO 20812 --- [ main] c.e.b.BatchProcessingApplication : No active profile set, falling back to 1 default profile: "default" 2024-11-01T16:08:47.804-04:00 WARN 20812 --- [ main] trationDelegate$BeanPostProcessorChecker : Bean 'batchConfiguration' of type [com.example.batchprocessing.BatchConfiguration$$SpringCGLIB$$0] is not eligible for getting processed by all BeanPostProcessors (for example: not eligible for auto-proxying). The currently created BeanPostProcessor [jobRegistryBeanPostProcessor] is declared through a non-static factory method on that class; consider declaring it as static instead. 2024-11-01T16:08:47.828-04:00 WARN 20812 --- [ main] trationDelegate$BeanPostProcessorChecker : Bean 'jobRegistry' of type [org.springframework.batch.core.configuration.support.MapJobRegistry] is not eligible for getting processed by all BeanPostProcessors (for example: not eligible for auto-proxying). Is this bean getting eagerly injected into a currently created BeanPostProcessor [jobRegistryBeanPostProcessor]? Check the corresponding BeanPostProcessor declaration and its dependencies. 2024-11-01T16:08:47.898-04:00 INFO 20812 --- [ main] com.zaxxer.hikari.HikariDataSource : HikariPool-1 - Starting... 2024-11-01T16:08:48.361-04:00 INFO 20812 --- [ main] com.zaxxer.hikari.pool.HikariPool : HikariPool-1 - Added connection com.mysql.cj.jdbc.ConnectionImpl@150ede8b 2024-11-01T16:08:48.364-04:00 INFO 20812 --- [ main] com.zaxxer.hikari.HikariDataSource : HikariPool-1 - Start completed. 2024-11-01T16:08:48.387-04:00 INFO 20812 --- [ main] c.e.batchprocessing.BatchConfiguration : jobTemplate running 2024-11-01T16:08:48.402-04:00 INFO 20812 --- [ main] c.e.batchprocessing.BatchConfiguration : FlatFileItemReader 2024-11-01T16:08:48.418-04:00 INFO 20812 --- [ main] c.e.batchprocessing.BatchConfiguration : PersonItemProcessor 2024-11-01T16:08:48.438-04:00 INFO 20812 --- [ main] c.e.batchprocessing.BatchConfiguration : JdbcBatchItemWriter 2024-11-01T16:08:48.461-04:00 INFO 20812 --- [ main] o.s.b.c.r.s.JobRepositoryFactoryBean : No database type set, using meta data indicating: MYSQL 2024-11-01T16:08:48.518-04:00 INFO 20812 --- [ main] c.e.batchprocessing.BatchConfiguration : step1 2024-11-01T16:08:48.577-04:00 INFO 20812 --- [ main] c.e.batchprocessing.BatchConfiguration : importUserJob 2024-11-01T16:08:48.602-04:00 WARN 20812 --- [ main] s.c.a.AnnotationConfigApplicationContext : Exception encountered during context initialization - cancelling refresh attempt: org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'jobExplorer' defined in class path resource [com/example/batchprocessing/BatchConfiguration.class]: Failed to instantiate [org.springframework.batch.core.explore.JobExplorer]: Factory method 'jobExplorer' threw exception with message: To use the default configuration, a data source bean named 'dataSource' should be defined in the application context but none was found. Override getDataSource() to provide the data source to use for Batch meta-data. 2024-11-01T16:08:48.603-04:00 INFO 20812 --- [ main] com.zaxxer.hikari.HikariDataSource : HikariPool-1 - Shutdown initiated... 2024-11-01T16:08:48.616-04:00 INFO 20812 --- [ main] com.zaxxer.hikari.HikariDataSource : HikariPool-1 - Shutdown completed. 2024-11-01T16:08:48.625-04:00 INFO 20812 --- [ main] .s.b.a.l.ConditionEvaluationReportLogger :

Error starting ApplicationContext. To display the condition evaluation report re-run your application with 'debug' enabled. 2024-11-01T16:08:48.655-04:00 ERROR 20812 --- [ main] o.s.boot.SpringApplication : Application run failed

org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'jobExplorer' defined in class path resource [com/example/batchprocessing/BatchConfiguration.class]: Failed to instantiate [org.springframework.batch.core.explore.JobExplorer]: Factory method 'jobExplorer' threw exception with message: To use the default configuration, a data source bean named 'dataSource' should be defined in the application context but none was found. Override getDataSource() to provide the data source to use for Batch meta-data. at org.springframework.beans.factory.support.ConstructorResolver.instantiate(ConstructorResolver.java:648) ~[spring-beans-6.1.13.jar:6.1.13] at org.springframework.beans.factory.support.ConstructorResolver.instantiateUsingFactoryMethod(ConstructorResolver.java:485) ~[spring-beans-6.1.13.jar:6.1.13] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.instantiateUsingFactoryMethod(AbstractAutowireCapableBeanFactory.java:1355) ~[spring-beans-6.1.13.jar:6.1.13] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBeanInstance(AbstractAutowireCapableBeanFactory.java:1185) ~[spring-beans-6.1.13.jar:6.1.13] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.doCreateBean(AbstractAutowireCapableBeanFactory.java:562) ~[spring-beans-6.1.13.jar:6.1.13] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBean(AbstractAutowireCapableBeanFactory.java:522) ~[spring-beans-6.1.13.jar:6.1.13] at org.springframework.beans.factory.support.AbstractBeanFactory.lambda$doGetBean$0(AbstractBeanFactory.java:337) ~[spring-beans-6.1.13.jar:6.1.13] at org.springframework.beans.factory.support.DefaultSingletonBeanRegistry.getSingleton(DefaultSingletonBeanRegistry.java:234) ~[spring-beans-6.1.13.jar:6.1.13] at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:335) ~[spring-beans-6.1.13.jar:6.1.13] at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:200) ~[spring-beans-6.1.13.jar:6.1.13] at org.springframework.beans.factory.support.DefaultListableBeanFactory.preInstantiateSingletons(DefaultListableBeanFactory.java:975) ~[spring-beans-6.1.13.jar:6.1.13] at org.springframework.context.support.AbstractApplicationContext.finishBeanFactoryInitialization(AbstractApplicationContext.java:971) ~[spring-context-6.1.13.jar:6.1.13] at org.springframework.context.support.AbstractApplicationContext.refresh(AbstractApplicationContext.java:625) ~[spring-context-6.1.13.jar:6.1.13] at org.springframework.boot.SpringApplication.refresh(SpringApplication.java:754) ~[spring-boot-3.2.10.jar:3.2.10] at org.springframework.boot.SpringApplication.refreshContext(SpringApplication.java:456) ~[spring-boot-3.2.10.jar:3.2.10] at org.springframework.boot.SpringApplication.run(SpringApplication.java:335) ~[spring-boot-3.2.10.jar:3.2.10] at org.springframework.boot.SpringApplication.run(SpringApplication.java:1363) ~[spring-boot-3.2.10.jar:3.2.10] at org.springframework.boot.SpringApplication.run(SpringApplication.java:1352) ~[spring-boot-3.2.10.jar:3.2.10] at com.example.batchprocessing.BatchProcessingApplication.main(BatchProcessingApplication.java:11) ~[classes/:na] Caused by: org.springframework.beans.BeanInstantiationException: Failed to instantiate [org.springframework.batch.core.explore.JobExplorer]: Factory method 'jobExplorer' threw exception with message: To use the default configuration, a data source bean named 'dataSource' should be defined in the application context but none was found. Override getDataSource() to provide the data source to use for Batch meta-data. at org.springframework.beans.factory.support.SimpleInstantiationStrategy.instantiate(SimpleInstantiationStrategy.java:178) ~[spring-beans-6.1.13.jar:6.1.13] at org.springframework.beans.factory.support.ConstructorResolver.instantiate(ConstructorResolver.java:644) ~[spring-beans-6.1.13.jar:6.1.13] ... 18 common frames omitted Caused by: org.springframework.batch.core.configuration.BatchConfigurationException: To use the default configuration, a data source bean named 'dataSource' should be defined in the application context but none was found. Override getDataSource() to provide the data source to use for Batch meta-data. at org.springframework.batch.core.configuration.support.DefaultBatchConfiguration.getDataSource(DefaultBatchConfiguration.java:250) ~[spring-batch-core-5.1.2.jar:5.1.2] at org.springframework.batch.core.configuration.support.DefaultBatchConfiguration.jobExplorer(DefaultBatchConfiguration.java:172) ~[spring-batch-core-5.1.2.jar:5.1.2] at com.example.batchprocessing.BatchConfiguration$$SpringCGLIB$$0.CGLIB$jobExplorer$21() ~[classes/:na] at com.example.batchprocessing.BatchConfiguration$$SpringCGLIB$$FastClass$$1.invoke() ~[classes/:na] at org.springframework.cglib.proxy.MethodProxy.invokeSuper(MethodProxy.java:258) ~[spring-core-6.1.13.jar:6.1.13] at org.springframework.context.annotation.ConfigurationClassEnhancer$BeanMethodInterceptor.intercept(ConfigurationClassEnhancer.java:348) ~[spring-context-6.1.13.jar:6.1.13] at com.example.batchprocessing.BatchConfiguration$$SpringCGLIB$$0.jobExplorer() ~[classes/:na] at java.base/jdk.internal.reflect.DirectMethodHandleAccessor.invoke(DirectMethodHandleAccessor.java:103) ~[na:na] at java.base/java.lang.reflect.Method.invoke(Method.java:580) ~[na:na] at org.springframework.beans.factory.support.SimpleInstantiationStrategy.instantiate(SimpleInstantiationStrategy.java:146) ~[spring-beans-6.1.13.jar:6.1.13] ... 19 common frames omitted

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Self-answer (0.5):
  • Filler text (0.5): =========
  • Filler text (0): ==============
  • Low reputation (1):
Posted by: Joseph

79149356

Date: 2024-11-01 20:37:44
Score: 2
Natty:
Report link

One funny way is to use json_encode()

json_encode($float, JSON_PRESERVE_ZERO_FRACTION)
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Mychi Darko

79149354

Date: 2024-11-01 20:37:43
Score: 1
Natty:
Report link

You can also get this error if the role isn't granted USAGE on the file format.

If that's the case

GRANT USAGE ON FILE FORMAT MY_CSV_UNLOAD_FORMAT TO ROLE MY_ROLE_NAME
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: nijave

79149346

Date: 2024-11-01 20:34:43
Score: 1
Natty:
Report link

in my case it wasn't workinkg even if I changed the name! even I tried removing the package name from dependecies! But after a while I tried deleting the folder with the package name in node_modules folder and remove the package name from dependecies then I run npm i and it worked!

Reasons:
  • Whitelisted phrase (-1): it worked
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: abelsio

79149342

Date: 2024-11-01 20:33:42
Score: 3.5
Natty:
Report link

Just add Input layer to your model with the same shape (4,). Then it should work.

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

79149339

Date: 2024-11-01 20:31:42
Score: 1.5
Natty:
Report link

OK, this is one of the craziest things I have ever seen, not documented at all! The problem stems from the fact that both asset packs contain the same suffix!!!! both long and notlong end with "long"!!! This is the whole issue!!!! If I ever wanted to bang my head over a wall now is the time :) hope this will save frustration for someone who encounters this unbelievable issue

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

79149335

Date: 2024-11-01 20:31:42
Score: 2
Natty:
Report link
Date.new(2024, 10, 20).to_time(:utc).at_middle_of_day
  # => 2024-10-20 12:00:00 UTC

Docs: Date#to_time, Time#at_middle_of_day

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

79149330

Date: 2024-11-01 20:29:41
Score: 1.5
Natty:
Report link

To resolve the issue with multiple videos freezing on the same page, ensure that each video element has a unique ID. Additionally, adding the muted attribute to each video will allow them to autoplay without being blocked by the browser. Here’s an example of how you can set it up:

Your browser does not support HTML video. Your browser does not support HTML video.
Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Ahmed Kettaf

79149326

Date: 2024-11-01 20:27:41
Score: 2
Natty:
Report link

I encountered the same issue on Windows 11. Like you, I selected the Pixel 8 Pro in the emulator and then opened the emulator in VS Code, but it always appeared outside of my screen.

Later, I opened another emulator called "Medium Phone," and I could see the lower half of the emulator. Then I went into the display settings and changed the screen resolution, and the emulator successfully returned to within my screen (though the same method did not work for the Pixel 8 Pro emulator).

In the Medium Phone emulator, I clicked the settings (three dots) in the lower right corner, checked "Emulator always on top," and then returned to the Pixel 8 Pro emulator. Now it consistently appears on the screen.

Reasons:
  • Blacklisted phrase (1): did not work
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Avalon

79149304

Date: 2024-11-01 20:16:38
Score: 1.5
Natty:
Report link

updating the latest version of Cocopoads fixed the issue:

 sudo gem update --system
 sudo gem install cocoapods

PS: using latest version of React Native 0.76.1

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

79149299

Date: 2024-11-01 20:14:37
Score: 2
Natty:
Report link

There is no firmware for that STM32. For the F0 series we have the STM32F091 as reference.

FYI: the F046 hasn't enough flash & RAM to run nanoFramework.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: José Simões

79149297

Date: 2024-11-01 20:13:37
Score: 2
Natty:
Report link

It's not clear which version of oneAPI you are using here, but it does look quite old as far as I can tell. Earlier this this patch was merged which should allow for your use-case to work. I don't have a multi-GPU setup here to be able to test this but downloading the new release of oneAPI will hopefully fix your problem!

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

79149289

Date: 2024-11-01 20:11:37
Score: 1.5
Natty:
Report link

C++ Solution : Append_And_Delete | _______ Link

string appendAndDelete(string s, string t, int k) 
{
    int n = s.size(), m = t.size(), i = 0 , j = 0; ;
    if (n + m <= k)  return "Yes";
     
    while(i<n and j<m and s[i]==t[j]) i++,j++; 
    
    
    int gap = (n - i) + (m - j);
    
    if (gap <= k and (k - gap) % 2 == 0)  
       return "Yes";

    return "No";
}

#anmamun0 #C++ #Cpp

Reasons:
  • Contains signature (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: ANmamun0

79149286

Date: 2024-11-01 20:08:36
Score: 1.5
Natty:
Report link

Did you try, using pip3 install pylint? (I would add this as a comment, but I haven't enough points).

I had no problems installing it specifying the most recent version of pip.

Reasons:
  • Whitelisted phrase (-2): Did you try
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): Did you
  • Low reputation (1):
Posted by: Mauricio Alejandro Gonzalez Fa

79149278

Date: 2024-11-01 20:06:35
Score: 1
Natty:
Report link

handlers are sophisticated callbacks, they have a uniform argument sequence, certain type of return value and same "handling" rules for wide range of events

callback is usually unique for every functor that defines a callback. you may easily confirm that by looking at documentation.

handlers allow to make code "flatter", like if one writes "christmas trees" with callbacks, same code becomes a take-off stripe/line with handlers.

enter image description here

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

79149263

Date: 2024-11-01 19:58:33
Score: 0.5
Natty:
Report link

from Github - Reverting a pull request

  1. Under your repository name, click Pull requests.

pull request

  1. In the "Pull Requests" list, click the pull request you'd like to revert.
  2. Near the bottom of the pull request, click Revert. If the Revert option isn't displayed, you'll need to ask the repository administrator for write permissions.

revert pull request button

  1. Merge the resulting pull request. For more information, see "Merging a pull request."
Reasons:
  • Probably link only (1):
  • No code block (0.5):
  • High reputation (-1):
Posted by: Gastón Schabas

79149259

Date: 2024-11-01 19:58:33
Score: 3
Natty:
Report link

I had to make sure that the IAM user also had all the necessary read/write permissons. The permissions the documentation showed only allowed write

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

79149255

Date: 2024-11-01 19:57:33
Score: 3
Natty:
Report link

Thank you MOFI. this worked. Here is the answer, for who needs it in the future:

echo !currPdfName!| %SystemRoot%\System32\findstr.exe /I /R "^[12][09][01234-9][01234-9][01][01234-9][0123][01234-9][01234-9][01234-9]*[01234-9][01234-9]*_[01234-9].pdf$"

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

79149246

Date: 2024-11-01 19:52:29
Score: 13.5 🚩
Natty: 5.5
Report link

Did you manage to solve it? I have the same problem :'( But my Windows 11. I found this link and would like to know if these steps actually work: https://developer.vuforia.com/getting-started/getting-started-vuforia-engine-windows-10-development

Reasons:
  • Blacklisted phrase (1): I have the same problem
  • Blacklisted phrase (1): this link
  • RegEx Blacklisted phrase (3): Did you manage to solve it
  • RegEx Blacklisted phrase (1.5): solve it?
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): I have the same problem
  • Contains question mark (0.5):
  • Starts with a question (0.5): Did you
  • Low reputation (1):
Posted by: debora

79149245

Date: 2024-11-01 19:52:29
Score: 1
Natty:
Report link

Issue: "405 Method Not Allowed" error when using PUT or DELETE in an ASP.NET Core application hosted on IIS.

Removing WebDAV ensures that IIS doesn’t block specific HTTP methods, allowing your application to manage them directly.

<modules>
        <remove name="WebDAVModule" />
</modules>

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

79149241

Date: 2024-11-01 19:51:29
Score: 0.5
Natty:
Report link

From another thread, I got this solution to do a recursive selectinload:

  child_select = selectinload(Parent.child)
  for _ in range(<depth>):
    child_select = child_select.selectinload(
      child_select.nodes)

  statement = select(Parent).filter(
    Parent.id == parent_id).options(child_select)
  result = await session.execute(statement)
  parent = result.scalars().first()
Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Jon Hayden

79149229

Date: 2024-11-01 19:46:27
Score: 1.5
Natty:
Report link

andrew's answer helped me find what worked in my csproj file.

I just needed to remove <Private>False</Private> in the package references in my csproj file and it all started working.

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

79149227

Date: 2024-11-01 19:45:27
Score: 1
Natty:
Report link

I can't think of any popular functions or libraries that support the functionality you're searching for out of the box, unfortunately.

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

79149198

Date: 2024-11-01 19:36:25
Score: 2.5
Natty:
Report link

Write a function Take t_new = mod(t,time_period) And write the function giving outputs for t_new from 0 to time_period.

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

79149189

Date: 2024-11-01 19:34:24
Score: 3
Natty:
Report link

Looking at your code, I can see that you created new class called names instead of new variable class_names. Please re-check for typos.

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

79149188

Date: 2024-11-01 19:34:24
Score: 2.5
Natty:
Report link

I updated the flutter version to 3.24.4 and updated the android studio ladyBug. After that, I found the same issue. fortunately, I followed every step described here and could rerun the projects.

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

79149186

Date: 2024-11-01 19:33:23
Score: 2.5
Natty:
Report link

Solved by changing next-auth version on beta like that:

npm i next-auth@beta
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Bohdan Romanovich

79149183

Date: 2024-11-01 19:32:23
Score: 1
Natty:
Report link

I always use font-family:Verdana on this item and it works for me.

Reasons:
  • Whitelisted phrase (-1): works for me
  • Low length (1.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Pedro Góes

79149182

Date: 2024-11-01 19:32:23
Score: 3
Natty:
Report link

The solution was, that I had to reinstall VS Code. I moved from the Flatpak version I was using before to the yum repository described on the official VS Code docs, where R is now recognized in the terminal. So it was probably related to the reduced permissions due to the Flatpak sandboxing.

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

79149178

Date: 2024-11-01 19:30:23
Score: 0.5
Natty:
Report link

First, make sure you've set up storage in Termux:

~$ termux-setup-storage

Then, open a Termux session and move main to the home directory in Termux:

~$ mv storage/shared/main ./

Now run main:

~$ ./main
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: leoperbo

79149173

Date: 2024-11-01 19:27:20
Score: 6 🚩
Natty:
Report link

Have you resolved above error, Kindly let me know back, I have same error. I you know how to resolve let me know back.

Reasons:
  • RegEx Blacklisted phrase (1): I have same error
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): I have same error
  • Low reputation (1):
Posted by: Abeera Malik

79149161

Date: 2024-11-01 19:17:17
Score: 1
Natty:
Report link

Wonder if people are still looking for something that works for abi.encode vs abi.encodePacked

I have done a detailed answer in Case 3. https://ethereum.stackexchange.com/a/166536/144566

TLDR, You can check the code out at https://go.dev/play/p/V3artUBQMUe I have tried to structure it in a way folks using ethers are encoding. And you can just start using it as any function

For abi.encodePacked, you just need to append the bytes.

For abi.encode, you do what OP has answered or you need to do what I have done in the go-playground link, basically create a arguments object that matches the data you need to encode, and pass the arguments to the arguments.Pack(...) method

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

79149158

Date: 2024-11-01 19:16:17
Score: 3.5
Natty:
Report link

update python version to the same as it require then download installer again this one is work for me

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

79149139

Date: 2024-11-01 19:06:14
Score: 1
Natty:
Report link

What I found was my per-app VPN connection was not allowing traffic from maps.apple.com.

By adding maps.apple.com to the VPN blacklist on the MDM, it allowed me to split tunnel the maps data.

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Starts with a question (0.5): What I
Posted by: trilogy

79149113

Date: 2024-11-01 18:58:12
Score: 0.5
Natty:
Report link

If you would like to increase the SSL handshake timeout of the HttpClient, you can create a bean and add it in @Configuration annotated class and then autowire(inject) this bean where required in your Service.

@Bean
public WebClient webClient() {
    Http11SslContextSpec http11SslContextSpec = Http11SslContextSpec.forClient();

    HttpClient client = HttpClient.create()
                          .secure(spec -> spec.sslContext(http11SslContextSpec)                                       
                          .handshakeTimeout(Duration.ofSeconds(30));

    WebClient client = WebClient.builder()
            .baseUrl(SOME_BASE_API_URL)
            .clientConnector(new ReactorClientHttpConnector(httpClient))
            .build();

    return client;
}

Reference: https://projectreactor.io/docs/netty/release/reference/index.html#ssl-tls-timeout

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @Configuration
  • Low reputation (0.5):
Posted by: Aashutosh Taikar

79149110

Date: 2024-11-01 18:56:11
Score: 0.5
Natty:
Report link

I've encountered with the same issue and found the fix.

According to this comment on github the Iat claim requires to be set using epoch time. In your code we can see it is set using standard string format, which worked fine in previous versions.

Change this line:

new Claim(JwtRegisteredClaimNames.Iat, DateTime.UtcNow.ToString())

To this:

new Claim(JwtRegisteredClaimNames.Iat, new DateTimeOffset(DateTime.UtcNow).ToUnixTimeSeconds().ToString(), ClaimValueTypes.Integer64)

But as @Shaik Abid Hussain said, adding options.UseSecurityTokenValidators = true to your .AddAuthentication() should work, because it reverts to the legacy token validation behavior from .net 6 and 7, but it didn't worked for me.

Reasons:
  • Whitelisted phrase (-1): worked for me
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • User mentioned (1): @Shaik
  • Low reputation (1):
Posted by: Ondrej Konarik

79149106

Date: 2024-11-01 18:54:11
Score: 1.5
Natty:
Report link

Check CI/CD Configuration in GitHub

Go to Settings of your GitHub repository, then Branches > Branch protection rules. Check if there are any required status checks not actually reported by your CI/CD-Looper in this instance. Make sure Looper is correctly integrated with GitHub to report the status back. Many times, the integration is misconfigured and GitHub waits indefinitely.

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

79149096

Date: 2024-11-01 18:49:10
Score: 3.5
Natty:
Report link

Turns out they moved it into the filter icon: enter image description here

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

79149094

Date: 2024-11-01 18:49:10
Score: 0.5
Natty:
Report link

i have this problem. the documentation said this body parameter

{ "adOrderNo": "string" }

i tried to send by query but i recived an error "An unknown error occurred while processing the request."

$timestamp =  (time()+1)*1000;
$params['timestamp'] =$timestamp;
$params['adOrderNo'] ="22685410866598416384";   
$query = http_build_query($params, '', '&',);
$sign=hash_hmac('SHA256', $query, $secret);   


    $ch = curl_init();

    curl_setopt($ch, CURLOPT_URL, "https://api.binance.com/sapi/v1/c2c/orderMatch/getUserOrderDetail");
    curl_setopt($ch, CURLOPT_RETURNTRANSFER, TRUE);
    curl_setopt($ch, CURLOPT_HEADER, FALSE);
    curl_setopt($ch, CURLOPT_FOLLOWLOCATION, 1);
    curl_setopt($ch, CURLOPT_POST, TRUE);
    curl_setopt($ch, CURLOPT_POSTFIELDS, $query."&signature=" .$sign);
    curl_setopt($ch, CURLOPT_HTTPHEADER, array("Content-Type: application/x-www-form-urlencoded","X-MBX-APIKEY: ".$api_key));
     
    
    
    $result = curl_exec($ch);
    $result = json_decode($result, true);
    
    echo '<pre>';
    var_dump($result);
    echo '</pre>';
    
  curl_close($ch);
Reasons:
  • Blacklisted phrase (1): i have this problem
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Miguel Díaz Medina

79149087

Date: 2024-11-01 18:47:09
Score: 2
Natty:
Report link

Alternative markup (works in @code {...} as well)

@{
    // you can do this as well
    RenderFragment s = @<span>hello</span>;

    @s

    // or this
    @: this is a string as well, multiline not possible
    @: well kinda, but each new line needs "this" prefix then
    @: @s world.
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • User mentioned (1): @code
  • Low reputation (1):
Posted by: skyslide22

79149079

Date: 2024-11-01 18:44:08
Score: 1
Natty:
Report link

Late Reply, But from my experience (the hard way), dividing the projected z by w (after projection) is a technique that non-linearly scales depth, providing greater precision near the camera while compressing depth further away. This approach helps mitigate issues like z-fighting at close ranges, where it tends to be more noticeable. Alternatively, if needed, you could create a custom projection matrix that doesn’t require this post-projection division (for z), resulting in a linearly distributed depth between the near and far planes.

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

79149075

Date: 2024-11-01 18:43:08
Score: 2.5
Natty:
Report link

Public Function StringNum(Rng As Range) As String Dim tmpStr As String

tmpStr = ""

For Each cell In Rng

tmpStr = tmpStr & cell.Value & ","

Next

StringNum = Mid(tmpStr, 1, Len(tmpStr) - 1)

End Function

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

79149072

Date: 2024-11-01 18:43:08
Score: 1.5
Natty:
Report link

Need fast, automated translations for your i18n files? Try translo-cli.

https://github.com/AcutusLabs/translo-cli

This open-source CLI tool uses ChatGPT to translate your primary language file into multiple target languages, with options to skip specific terms and auto-sort results.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
Posted by: Davide Carpini

79149068

Date: 2024-11-01 18:41:08
Score: 1.5
Natty:
Report link

Need fast, automated translations for your i18n files? Try translo-cli.

https://github.com/AcutusLabs/translo-cli

This open-source CLI tool uses ChatGPT to translate your primary language file into multiple target languages, with options to skip specific terms and auto-sort results.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
Posted by: Davide Carpini

79149061

Date: 2024-11-01 18:38:06
Score: 1
Natty:
Report link

The issue was that the body not appearing was somehow assigned multiple materials. I fixed this by uploading the file to 3dviewer.net, sorting by materials, then looking through the meshes that had those materials applied. I was able to manually edit the .obj to remove the duplicated portions.

Reasons:
  • Whitelisted phrase (-2): I fixed
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Trevor

79149055

Date: 2024-11-01 18:36:06
Score: 3
Natty:
Report link

There's a new plugin working great, compatible also with dynamic tag and Flexible Content (coming with Font Awesome and Elementor Custom Icon Sets): https://acfelementorcustomicons.com/

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

79149054

Date: 2024-11-01 18:35:06
Score: 1
Natty:
Report link

You can disable inline suggestions from IntelliCode:

  1. Go to File > Preferences > Settings.
  2. Search for IntelliCode and find the settings labeled Editor: Inline Suggestions.
  3. Uncheck Editor:Inline Suggestions to disable it.

Some C# extensions, like the C# Dev Kit, might also have settings for IntelliSense or AI-based suggestions

  1. Go to Settings and search for C# Dev Kit or just C#.
  2. Look for any settings that control IntelliSense or AI-based suggestions, and adjust them as needed.
Reasons:
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Ashkan Afsharpour

79149048

Date: 2024-11-01 18:34:05
Score: 3.5
Natty:
Report link

There is now an action called Rescan Available Python Modules and Packages that does this

https://youtrack.jetbrains.com/issue/PY-21659/Make-it-easier-to-reload-interpreter-sources-and-skeletons#focus=Comments-27-4114386.0-0

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

79149042

Date: 2024-11-01 18:31:05
Score: 5
Natty:
Report link

look this video!!

https://www.bing.com/videos/riverview/relatedvideo?pglt=43&q=django.db.utils.OperationalError%3a+(2026%2c+%27TLS%2fSSL+error%3a+SSL+is+required%2c+but+the+server+does+not+support+it%27)+(mk)&cvid=1f3f94aff2814a4b861579b07f8bce4d&gs_lcrp=EgRlZGdlKgYIABBFGDkyBggAEEUYOdIBBzg0OWowajGoAgCwAgA&PC=U531&ru=%2fsearch%3fpglt%3d43%26q%3ddjango.db.utils.OperationalError%253A%2b(2026%252C%2b%2527TLS%252FSSL%2berror%253A%2bSSL%2bis%2brequired%252C%2bbut%2bthe%2bserver%2bdoes%2bnot%2bsupport%2bit%2527)%2b(mk)%26cvid%3d1f3f94aff2814a4b861579b07f8bce4d%26gs_lcrp%3dEgRlZGdlKgYIABBFGDkyBggAEEUYOdIBBzg0OWowajGoAgCwAgA%26FORM%3dANNTA1%26PC%3dU531&mmscn=vwrc&mid=960A91184DB2CBB0056F960A91184DB2CBB0056F&FORM=WRVORC

or you can only install mysqlclient 2.2.4 version

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

79149040

Date: 2024-11-01 18:30:04
Score: 5.5
Natty:
Report link

The following answer has a script that serves the requested purpose: https://stackoverflow.com/a/77652870/16858784

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

79149037

Date: 2024-11-01 18:28:04
Score: 1
Natty:
Report link

I had the same problem. Does your Mac have Intel processor or Apple Silicon (M series)?

If you have Intel processor, you don't need to do anything. PostgreSQL should work fine, since it's built for Intel processors.

If you have Apple Silicon, e.g. M3, you need to install Rosetta. You can check this Reddit link if you need help.

Reasons:
  • Whitelisted phrase (-1): I had the same
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Phil

79149036

Date: 2024-11-01 18:27:03
Score: 2
Natty:
Report link

to answer the question, @suppress is equivalent to @hide.

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

79149024

Date: 2024-11-01 18:22:02
Score: 0.5
Natty:
Report link

Just for the record, there's also blackfriday-tool command line utility, which utilizes blackfriday, a Go markdown processor, and looks a bit smarter (for example, understands what to replace with HTML character entities, etc). Being a cross-platform single binary with no dependencies (even no Perl) is also handy sometimes.

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

79149016

Date: 2024-11-01 18:17:01
Score: 2
Natty:
Report link

As advised in this document, custom domain names are still not supported for API Gateway. The best way for now to customize the domain of your gateway is to configure a load balancer then direct the request to the gateway.dev domain of your deployed API.

You can also consider searching for an existing feature request similar to this issue you encountered and Star it. If you don't see any matching issue or feature request, you can create one.

Reasons:
  • Blacklisted phrase (1): this document
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: ralphyjade

79149012

Date: 2024-11-01 18:16:00
Score: 4
Natty:
Report link

I have similar problem on Samsung S6 tablet with Android 13. I wrote an app some time ago, recently I made a change, the app works OK with Android simulator on my PC, but when I try to debug it on Samsung S6 tablet with Android 13, I am getting a black screen, but somehow screen responds to my touch. So to investigate more, I let Flutter to create simple default app - again it works OK on the Android simulator, but a black screen on the tablet, which somehow responds to my touch.

BTW -The tablet has the most current Google Play service app: ver 24.43.36

zb

Reasons:
  • Blacklisted phrase (1): I have similar
  • Long answer (-0.5):
  • No code block (0.5):
  • Me too answer (2.5): I have similar problem
  • Low reputation (0.5):
Posted by: Zalek Bloom