79177358

Date: 2024-11-11 10:54:49
Score: 1.5
Natty:
Report link

In newer android studio versions alot of components had been updated and some name and options have also changed so to solve this problem in updated android studio version ?

go to settings -> experimental -> now check the box configure all Gradle task during Gradle sync (this can make Gradle sync slower) then click apply and rebuild project, now it should show up in the tasks folder.

Reasons:
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: Andy Essien

79177356

Date: 2024-11-11 10:53:49
Score: 2
Natty:
Report link

Maybe add something like perspective: 1000px;.

https://developer.mozilla.org/en-US/docs/Web/CSS/perspective

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

79177354

Date: 2024-11-11 10:53:49
Score: 3
Natty:
Report link

I've managed to read the user-profile:

from keycloak import KeycloakAdmin
from keycloak import KeycloakOpenIDConnection

url = "http://localhost:8080/"
username='admin'
password='sadmin'
client_id='admin-cli'
realm_name="master"

keycloak_connection = KeycloakOpenIDConnection(
                        server_url=url,
                        username=username,
                        password=password,
                        client_id=client_id,
                        realm_name=realm_name)

keycloak_admin = KeycloakAdmin(connection=keycloak_connection)

URL_ADMIN_USER_PROFILE = "admin/realms/{realm-name}/users/profile"
params_path = {"realm-name": keycloak_admin.get_current_realm()}
data_raw = keycloak_admin.connection.raw_get(URL_ADMIN_USER_PROFILE.format(**params_path))
user_paylaod = data_raw.json()

However I'm not able to post it back:

import json
data_raw = keycloak_admin.connection.raw_post(
    URL_ADMIN_USER_PROFILE.format(**params_path),
    data=json.dumps(user_profile_payload),
)
data_raw.json()

My response:

{'error': 'HTTP 405 Method Not Allowed'}

If you found solution for you question, could you post it please?

Reasons:
  • RegEx Blacklisted phrase (2.5): could you post
  • Long answer (-1):
  • Has code block (-0.5):
  • Ends in question mark (2):
Posted by: Gооd_Mаn

79177349

Date: 2024-11-11 10:51:48
Score: 1
Natty:
Report link

It is the normal behavior of iOS. The first "done" button you're talking about is just a "hide my keyboard" button. It will not do anything else.

In Flutter you can try to add a "keyboardType" parameters:

TextField(
            keyboardType: TextInputType.***,
          ),

I can't try on an iOS as I don't have one. But try different TextInputType, you may be able to remove this done button.

More info : https://stackoverflow.com/a/75842595/9990911 https://api.flutter.dev/flutter/services/TextInputType-class.html

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: 2IIZ

79177335

Date: 2024-11-11 10:49:47
Score: 4
Natty:
Report link

it will work again after reboot, its only temporary

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

79177334

Date: 2024-11-11 10:48:47
Score: 2
Natty:
Report link

I added the .venv kernel. Using the following codes

pip install virtualenv

and then

pip install -U scikit-learn scipy matplotlib

and the problem was solved.

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

79177316

Date: 2024-11-11 10:44:46
Score: 1
Natty:
Report link

You Java entity should match your table structure in DB. So, it will be advisable to have all the property including id in your Entity classes FirstChild and SecondChild.

Now, maybe you want your code to use one instance of parent class to call the same set of setters. For this, you should inherit an interface with the list of common getter / setters and implement the same on both the classes. This way you can code to interface instead of the implementation.

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

79177307

Date: 2024-11-11 10:40:45
Score: 2
Natty:
Report link

Since this will be long message i couldn't comment above so here's an explanation.

PrecomputedDateRange is a table, which contains all the dates that may occur in the future or past for your query. Hence you will never have a need for the generation of dates on the fly at execution time of queries. The WITH DateRange AS (.) CTE is used mostly for generating a set of dates on the fly, which consumes much more resources in case of dealing with a large amount of datasets. By precomputing the dates and storing them in a table, you avoid that computational overhead every time the query runs.

The SQL WITH clause has its uses but in your particular case it obliges the database to compute the date range for every execution of your query. This could involve a ROW_NUMBER() operation or other techniques to produce the series of dates. While this is fine for smaller datasets, it becomes pretty inefficient with large ranges since the database has to compute the entire sequence before it even starts processing the rest of the query.

But by using something like a precomputed table, as with PrecomputedDateRange, it ensures that you're not doing the date range computation over and over again. Instead, you do simple SELECT from already prepared dates stored in a table; in this case, it is extremely efficient, if you are working with large date ranges.

You'd worry about the memory cost of storing these dates, but precomputing the date range is generally a one-time operation, and the cost in memory is quite low because you're just storing dates (not huge data sets). The gain in query performance from no longer having to compute the dates for each query is likely to more than offset the extra memory usage. Moreover, this table doesn't change very often, so it's okay to keep it static for a long time.

When you join on a precomputed date table, it executes faster because dates are already materialized. Without it if you're generating the dates dynamically (via ROW_NUMBER() or other means), then the database has to execute more steps to generate and join dates, which consumes more performance.

And finally @SqlResultSetMapping will help in mapping the query result to your DTO. Once more, though, this is not supposed to be the bottleneck and rather on the Java side with respect to data processing-the processing and aggregating after fetching into lists in Java, for example.

Of course, all this can be improved with an additional step-caching the results (for example, by using Redis or Memcached)-so that you store the processed aggregation results for the most frequently requested date ranges, further improving response times.

PrecomputedDateRange is nothing but just a simple table that stores all the dates that might be needed to avoid generating dates on every query run. The cost of keeping these dates in memory should usually be very low, so the performance improvement should be ample enough to outweigh this. You can further accelerate the response time by caching results and also optimize the database query, particularly proper indexing and partitioning. hope it is all clear now!

Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • User mentioned (1): @SqlResultSetMapping
  • Low reputation (1):
Posted by: Ankit

79177303

Date: 2024-11-11 10:39:45
Score: 0.5
Natty:
Report link

Okay, for some reason firebase was not able to find the default bucket. So every time that I tried to put a file into the storage (which I had initiated as storage()) It resulted in a "No object reference exists..." Which just meant that the bucket could not be found... So what I did to fix it is to initialize the storage as if it is a custom bucket:

import { firebase } from "@react-native-firebase/storage";
const storage = firebase.app().storage(process.env.BUCKET_URL);
export default storage;

Still I have no idea why it can't find the default bucket...

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Blagoy Simandoff

79177294

Date: 2024-11-11 10:37:44
Score: 1.5
Natty:
Report link

you might try this adb shell pm list packages --user 0 to list packages

Reasons:
  • Whitelisted phrase (-1): try this
  • Low length (1.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Jane A

79177290

Date: 2024-11-11 10:36:44
Score: 0.5
Natty:
Report link

To update data attributes, use the dataset property:

const bar = document.querySelector(".ldBar");
bar.dataset.value = loadedImages;
Reasons:
  • Low length (1):
  • Has code block (-0.5):
Posted by: johnnyaug

79177288

Date: 2024-11-11 10:34:43
Score: 1.5
Natty:
Report link

There are Google Play Developer API endpoints for that:

The Google API client libraries can be used to call them.

The mentioned tools and packages (e.g. fastlane supply) do exactly that under the hood.

Reasons:
  • Low length (1):
  • No code block (0.5):
Posted by: Ernesto Elsäßer

79177287

Date: 2024-11-11 10:34:43
Score: 2
Natty:
Report link

By this time you would have resolved the issue, adding comments as it may be helpful for others.

_sp is defined in https://github.com/eclipse-threadx/threadx/blob/master/ports/cortex_r5/gnu/example_build/sample_threadx.ld

lscript.ld of vitis need to be updated from sample_threadx.ld to resolve the issue . Other way is create new varaible _sp in lscript.ld

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

79177286

Date: 2024-11-11 10:34:43
Score: 0.5
Natty:
Report link

According to the specifications, ULID have milliseconds resolution. Given you are not expecting more than 999 reports within the same second this may be okay.

Timestamp

48 bit integer UNIX-time in milliseconds Won't run out of space 'til the year 10889 AD.

However, if you are running into issues where you need to bucket data in sub-millisecond records; it is possible to devise your own lexicographically sortable timestamp & random value encoding, similar to a ULID, but replacing the randomness by a specific sequence since reading from a good source of randomness may be expensive by itself, at that resolution.

The scheme could take the following form, using a random value read from a sufficiently good source of randomness and an atomic integer sequence:

  1. At application start, read R bits from a reliable source of randomness
  2. Initialize the atomic integer sequence to 0
  3. With each new record to store:
    1. Create an empty byte array
    2. Push the microsecond resolution timestamp into the byte array (with MSB ordering)
    3. Push the random value into the byte array
    4. Push current integer sequence's first N bits at the back of the array
    5. Increment the integer sequence atomically
    6. Encode the byte array into a string; with, for example, the ring containing all letters and digits.

Vary the values of R & N to the desired size. The source of randomness is needed to ensure that records stored from each virtual machine or process does not collide with any other record stored at the same time, during the same sequence.

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

79177281

Date: 2024-11-11 10:32:43
Score: 0.5
Natty:
Report link

You can can change buildToolsVersion and buildToolsVersion in android/build.gradle - like this:

// android/build.gradle
buildscript {
  ext {
    buildToolsVersion = 33
    compileSdkVersion = 33
    targetSdkVersion  '33.0.0'
  }
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: meowww

79177277

Date: 2024-11-11 10:31:43
Score: 1.5
Natty:
Report link

Check your conditions

*ngIf="quoteDetailsFormGroup.controls.quoteName.touched && quoteDetailsFormGroup.controls.quoteName.errors?.required"
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Aria

79177269

Date: 2024-11-11 10:29:42
Score: 1.5
Natty:
Report link

try puting a semicolon (;) before this line:

http.listen(3000, function(){
    console.log('Rodando na porta 3000');
});

to see if it works. this very simple trick helped me out.

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

79177258

Date: 2024-11-11 10:27:41
Score: 1
Natty:
Report link

In case anyone is here for the same problem in 2024. This fixed my problem.

import {expect, jest, test} from '@jest/globals';

You may read about it in the Jest docs https://jestjs.io/docs/expect

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

79177248

Date: 2024-11-11 10:25:41
Score: 3
Natty:
Report link

I need to get ahold of those bits to decode to make a few $ from my string variables that you can calculate not just these there’s others too just give me the update total’s for each one so I can use my bits for personal use

Reasons:
  • Blacklisted phrase (0.5): I need
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Farzaneh Sedarati

79177241

Date: 2024-11-11 10:23:40
Score: 1
Natty:
Report link

There is no way to run gcp trigger via terraform. It gets invoked on certain event(code push).

Instead of creating google_dataflow_flex_template_job using terraform, use Dockerfile provided by gcp team. Build the image and push it using cloudbuild.yaml. In the same yaml, try to create dataflow jobs using gcloud dataflow flex-template build/run command.

The entire flow is, create the google_cloudbuild_trigger using terraform and providing the filename as cloudbuild.yaml along with necessary substitutions parameters. Second step is create and push docker image in cloudbuild.yaml. In the same cloudbuild.yaml, create dataflow jobs using gcloud commands.

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

79177229

Date: 2024-11-11 10:19:39
Score: 1
Natty:
Report link

In short, keep-alive defines time connections will hang around after the first request finishes, while the timeout is how long an unused keep-alive connection is kept around.

For more, you may check documentation.

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

79177170

Date: 2024-11-11 10:03:35
Score: 1.5
Natty:
Report link

In MEMU emulator, go to Settings > Disk > Choose to independent system and click Save. Reboot now and you can successfully run `

adb remount

`

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

79177165

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

If you using firebase login with terminal of vs code, then try using it from cmd of windows in project folder location

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

79177160

Date: 2024-11-11 10:00:32
Score: 6.5 🚩
Natty:
Report link

Okay i did the strangest thing ever.

I added new project in my project in visual studio and added same template as before..Copied all files 1:1 to new one and deployed it... IIS now working on https....WTF!?

Will never know what the issue was. Kestrel is also same as before..

Another question to the other answers.

I cannot run both services on port 443. IIS accepted it now but IIS cannot manage which request to which app...so it doesnt work...Do i have to set it up somehow!?

Reasons:
  • Blacklisted phrase (1): Another question
  • Blacklisted phrase (1): doesnt work
  • Blacklisted phrase (0.5): I cannot
  • No code block (0.5):
  • Ends in question mark (2):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Yusuf Keks

79177155

Date: 2024-11-11 09:57:31
Score: 0.5
Natty:
Report link

Can I make a circular GIS Region? If not, are there any other alternatives?

You can, but not easily and you have to code it. See how to construct a GISRegion via code here.

As you can see, you need to specify the lat/lon pairs. So you need to write some code yourself that defines lat/lon pairs around a centre with a given radius. This may not be trivial, depending on the accuracy that you need.

Please tell me where to write and run the Java codes, like the functions that are mentioned in GIS region AnyLogic

Not really as it depends on your model setup. Pls first learn the basics of model architecture as described here.

PS: You may be much better off as a beginner to simply draw a circle and not use GIS for this, tbh

Reasons:
  • RegEx Blacklisted phrase (2.5): Please tell me
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): Can I
  • High reputation (-2):
Posted by: Benjamin

79177151

Date: 2024-11-11 09:55:28
Score: 11.5 🚩
Natty: 5
Report link

anyone has solution? @Luiz Cruz do you have any updates on it?

Reasons:
  • Blacklisted phrase (1): anyone has solution
  • Blacklisted phrase (1): any updates on
  • RegEx Blacklisted phrase (2.5): do you have any
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • User mentioned (1): @Luiz
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: Nguyễn Duy Cương

79177150

Date: 2024-11-11 09:54:27
Score: 1
Natty:
Report link

simply use useSlots and apply css conditionally

const slots = useSlots()

const doesLeadingSlotExist = computed(() => {
    if ('leading' in slots) {
        return true;
    }
    return false;
});

Would have preferred a pure css solution but this approach also works.

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

79177145

Date: 2024-11-11 09:53:27
Score: 2.5
Natty:
Report link

I know this is an old question but I was facing the same issue recently and unfortunately I still haven't found an official portable version.

Following @Furkan's answer, I created an automated workflow to create portable releases for RabbitMQ. You can find it here: https://github.com/sb-ghvcs/rabbitmq-portable

It does the same steps as @Furkan's answer temperorily within a contained shell without affecting rest of the system.

Reasons:
  • No code block (0.5):
  • User mentioned (1): @Furkan's
  • User mentioned (0): @Furkan's
  • Low reputation (1):
Posted by: Shivansh Bakshi

79177141

Date: 2024-11-11 09:53:27
Score: 8.5
Natty: 7
Report link

It work in site but not work in search result, any solution to display date in title in blog search result?

Reasons:
  • Blacklisted phrase (1.5): any solution
  • RegEx Blacklisted phrase (2): any solution to display date in title in blog search result?
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Steven

79177139

Date: 2024-11-11 09:52:26
Score: 3
Natty:
Report link

I get the same error that certs are untrusted, configuration seems like yours so maybe somehow I am generating certs in the wrong way

  kes:
    image: minio/kes:latest
    container_name: kes
    restart: unless-stopped
    ports:
      - 7373:7373
    networks:
      - chat
    volumes:
      - kes-config:/root/.kes/config
      - kes-certs:/root/.kes/certs
      - vault-certs:/root/.kes/certs/vault
    environment:
      KES_SERVER: https://kes:7373
      KES_CLIENT_KEY: /root/.kes/certs/minio-kes.key
      KES_CLIENT_CERT: /root/.kes/certs/minio-kes.crt
    command: server --config=/root/.kes/config/config.yaml

  kes-certs:
    driver: local
    external: false
    driver_opts:
      o: bind
      type: none
      device: ${HOME}/docker-storage/chat/certs/kes

Configuration:

address: 0.0.0.0:7373

admin:
  identity: disabled

tls:
  key: /root/.kes/certs/kes-server.key
  cert: /root/.kes/certs/kes-server.crt
  ca: ""

policy:
  minio:
    allow:
      - /v1/key/create/*
      - /v1/key/generate/*
      - /v1/key/decrypt/*
      - /v1/key/bulk/decrypt
      - /v1/key/list/*
      - /v1/status
      - /v1/metrics
      - /v1/log/audit
      - /v1/log/error
    identities:
      - 938d23b96f98b5431edfaa7633770f13bc942bdd97bc272a23970472b8b5cccc
keystore:
  fs:

Certificates I am generating in this mode

openssl ecparam -genkey -name prime256v1 | openssl ec -out minio-kes.key
openssl req -new -x509 -days 30 -key  minio-kes.key -out minio-kes.crt     -subj "/C=/ST=/L=/O=/CN=minio"     -addext "subjectAltName = IP:127.0.0.1, IP:0.0.0.0, DNS:kes, DNS:minio"
Reasons:
  • RegEx Blacklisted phrase (1): I get the same error
  • Long answer (-1):
  • Has code block (-0.5):
  • Me too answer (2.5): I get the same error
  • Low reputation (1):
Posted by: Vasile Bubuioc

79177136

Date: 2024-11-11 09:51:26
Score: 1.5
Natty:
Report link

A detailed answer with solution for the JDK HttpClient can be found at Setting "Origin" and "Access-Control-Request-Method" headers with Jersey Client:

Some restricted headers are blocked and not transmitted by the JDK HttpClient-API (including "Origin"). You can override it by using

System.setProperty("sun.net.http.allowRestrictedHeaders", "true");
Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: SCI

79177135

Date: 2024-11-11 09:51:26
Score: 2.5
Natty:
Report link

nice it worked :

sudo apt install libapache2-mod-php

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

79177127

Date: 2024-11-11 09:48:25
Score: 0.5
Natty:
Report link

The error occurs asy_train contains non-numeric data, which is not compatible with torch.tensor.

Check the contents of y_train and ensure that the is only numeric values so you can safely convert to a tensor.

Also, based on the error it seems the incorrect type in y_train is a numpy object.

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

79177118

Date: 2024-11-11 09:45:25
Score: 2
Natty:
Report link

It might be due to dependencies on other projects that are referenced in the main project. Try updating all the package versions to ensure they are consistent.

And run this command to on Package manager console

dotnet nuget locals all --clear

dotnet list package //check for the List package and compare each package versions

dotnet restore

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

79177088

Date: 2024-11-11 09:36:22
Score: 2
Natty:
Report link

The soft enter is applied e.g. in MS Word as Shift+Enter, and can be reproduced programmatically using \v

var test = "This is a\vsoft enter";

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Guido A.

79177084

Date: 2024-11-11 09:34:22
Score: 1.5
Natty:
Report link

i cannot add a comment, @zdm ‘s answer is not work for me, i changed "secretKey", now its working.

function auth(apiToken: string, telegramInitData: typeof mockData) {
  const initData = new URLSearchParams(telegramInitData);
  initData.sort();
  const hash = initData.get("hash");
  initData.delete("hash");
  const dataToCheck = [...initData.entries()].map(([key, value]) => key + "=" + value).join("\n");
  // change to createHash
  const secretKey = crypto.createHash("sha256").update(apiToken).digest();
  const _hash = crypto.createHmac("sha256", secretKey).update(dataToCheck).digest("hex");
  return hash === _hash;
}
Reasons:
  • Blacklisted phrase (0.5): i cannot
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @zdm
  • Low reputation (1):
Posted by: Noah

79177082

Date: 2024-11-11 09:33:22
Score: 1
Natty:
Report link

lib64/libgsm.a /system/lib64/libhardware.so /system/lib64/libhardware_legacy.so /system/lib64/libharfbuzz_ng.so /system/lib64/libhwbinder.so /system/lib64/libhwui.so /system/lib64/libinit.a /system/lib64/libiprouteutil.so /system/lib64/libipsec.a /system/lib64/libjavacore.so /system/lib64/libjavacrypto.so /system/lib64/libjni_imageutil.so /system/lib64/libjni_snapcammosaic.so /system/lib64/libjni_snapcamtinyplanet.so /system/lib64/libjsmn.a /system/lib64/libkeymaster_messages.so /system/lib64/libkeymaster_portable.so /system/lib64/libkeymaster_staging.so /system/lib64/libldacBT_abr.so /system/lib64/libldacBT_enc.so /system/lib64/liblocationservice_jni.so /system/lib64/liblog.a /system/lib64/liblog.so /system/lib64/liblogcat.so /system/lib64/liblogwrap.a /system/lib64/liblogwrap.so /system/lib64/liblz4.so /system/lib64/libmdnssd.a /system/lib64/libmdnssd.so /system/lib64/libmedia.so /system/lib64/libmedia_helper.a /system/lib64/libmedia_helper.so /system/lib64/libmedia_jni.so /system/lib64/libmedia_omx.so /system/lib64/libmediaextractorservice.so /system/lib64/libmediandk.so /system/lib64/libmediaplayerservice.so /system/lib64/libminijail.a /system/lib64/libminijail.so /system/lib64/libminijail_generated.a /system/lib64/libminijail_generated_vendor.a /system/lib64/libmmi.so /system/lib64/libmmparser.so /system/lib64/libmtp.so /system/lib64/libmusicbundle.a /system/lib64/libnativehelper.so /system/lib64/libnativewindow.so /system/lib64/libnetlink.so /system/lib64/libnetutils.so /system/lib64/libneuralnetworks.so /system/lib64/libnl.a /system/lib64/libnl.so /system/lib64/libopenjdk.so /system/lib64/libopenjdkjvm.so /system/lib64/libopenjdkjvmti.so /system/lib64/liboppostagefright.so /system/lib64/liboppostagefright_amrnb_common.a /system/lib64/liboppostagefright_amrnbenc.a /system/lib64/liboppostagefright_color_conversion.a /system/lib64/liboppostagefright_enc_common.a /system/lib64/liboppostagefright_foundation.a /system/lib64/liboppostagefright_yuv.a /system/lib64/libpac.so /system/lib64/libpagemap.so /system/lib64/libpcap.a /system/lib64/libpcap.so /system/lib64/libpcre2.so /system/lib64/libpcrecpp.so /system/lib64/libpdfium.so /system/lib64/libpiex.so /system/lib64/libpixelflinger.so /system/lib64/libpower.so /system/lib64/libprotobuf-c-nano-enable_malloc.a /system/lib64/libprotobuf-cpp-full.so /system/lib64/libprotobuf-cpp-lite.so /system/lib64/libregistermsext.a /system/lib64/libreverb.a /system/lib64/libscrypt_static.a /system/lib64/libserviceutility.so /system/lib64/libskia.so /system/lib64/libsoftkeymasterdevice.so /system/lib64/libsonic.so /system/lib64/libsonivox.so /system/lib64/libsoundpool.so /system/lib64/libspeexresampler.so /system/lib64/libsqlite.so /system/lib64/libsquashfs_utils.a /system/lib64/libssl.so /system/lib64/libstagefright.so /system/lib64/libstagefright_amrnb_common.so /system/lib64/libstagefright_amrnbdec.a /system/lib64/libstagefright_amrnbenc.a /system/lib64/libstagefright_enc_common.so /system/lib64/libstagefright_flacdec.so /system/lib64/libstagefright_foundation.so /system/lib64/libstagefright_httplive.so /system/lib64/libstagefright_nuplayer.a /system/lib64/libstagefright_omx.so /system/lib64/libstagefright_omx_utils.so /system/lib64/libstagefright_rtsp.a /system/lib64/libstagefright_soft_aacdec.so /system/lib64/libstagefright_soft_aacenc.so /system/lib64/libstagefright_soft_qtiflacdec.so /system/lib64/libstagefright_timedtext.a /system/lib64/libstdc++.so /system/lib64/libswresample.so /system/lib64/libswscale.so /system/lib64/libsync.so /system/lib64/libtinyalsa.so /system/lib64/libtinyxml2.a /system/lib64/libtinyxml2.so /system/lib64/libtinyxmlbp.so /system/lib64/libtombstoned_client.so /system/lib64/libtoolbox_dd.a /system/lib64/libui.so /system/lib64/libunwind.so /system/lib64/libutils.a /system/lib64/libutils.so /system/lib64/libv8.a /system/lib64/libvintf.so /system/lib64/libvorbisidec.so /system/lib64/libwfdavenhancements.so /system/lib64/libwificond.a /system/lib64/libwificond_ipc.a /system/lib64/libwificond_ipc.so /system/lib64/libxml2.so /system/lib64/libz.a /system/lib64/libz.so /system/lib64/[email protected] /system/priv-app/FusedLocation/FusedLocation.apk /system/priv-app/InputDevices/InputDevices.apk /system/priv-app/SettingsProvider/SettingsProvider.apk /system/priv-app/SystemUI/SystemUI.apk /system/usr/share/bmd/RFFspeed_501.bmd /system/usr/share/bmd/RFFstd_501.bmd /system/usr/share/zoneinfo/tzdata /system/xbin/antradio_app /system/xbin/tcpdump

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

79177078

Date: 2024-11-11 09:32:21
Score: 3
Natty:
Report link

I just finished reading your article, and wow, it was fantastic! So well done! By the way, I’d love to share a few things about our advanced [Python training][1] programs if you’re up for it. Thanks so much!"

https://ihubtalent.com/full-stack-python-training/

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Gnanendra

79177064

Date: 2024-11-11 09:29:19
Score: 9 🚩
Natty: 4.5
Report link

@Brock Anderson where to update the typical cloud location, I have modified in my code already but still the client is getting the above error. I do not have access to their environment. Is this something to do with server side change? please suggest.

Reasons:
  • RegEx Blacklisted phrase (2.5): please suggest
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • User mentioned (1): @Brock
  • Single line (0.5):
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: ajayas

79177063

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

Problem solved. access right in Mac OS. the problem was a misleading question whether IntelliJ can discover devices in local network or not. Wasn't a question whether IntelliJ is allowed to access local network.

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

79177058

Date: 2024-11-11 09:27:18
Score: 1
Natty:
Report link

Ensure you added the express json middle ware to your application

const app = require('express');

app.use(
 express.json({
    limit: '20mb',
 }),
);
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Melvin Kosisochukwu

79177056

Date: 2024-11-11 09:26:17
Score: 4.5
Natty: 5
Report link

Here's a video series that might be useful

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

79177041

Date: 2024-11-11 09:22:16
Score: 2.5
Natty:
Report link

The "^C" is CTRL + C is for stopping process instantly even if they didn't finish

the blue path is VS Code color-coding of specific types of messages like compiling code

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

79177027

Date: 2024-11-11 09:20:16
Score: 1
Natty:
Report link

You can’t directly access raw fingerprint data in Flutter because both Android and iOS keep biometric data private and only allow apps to verify users, not retrieve their data. However, there’s a straightforward workaround to achieve similar functionality.

Solution Use Biometric Authentication: First, authenticate the user’s fingerprint with local_auth. If the fingerprint matches, this confirms their identity without actually exposing the raw data.

Send a Secure Token Over BLE: Instead of sending fingerprint data, you can send a unique token or message to the Bluetooth (BLE) device, which acts as proof that the user is verified. You can handle this Bluetooth connection using a package like flutter_reactive_ble.

Quick Summary Biometric data can’t be accessed directly—it’s locked down for privacy. Workaround: Authenticate the user with biometrics and send a secure token as a stand-in for the fingerprint.

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

79177022

Date: 2024-11-11 09:18:15
Score: 2.5
Natty:
Report link

Because you wrote above that if the slash was empty, it would first go to the dashboard and ignore the login, usually the redirection to the login is done with guards or check in your dashboard component and not in route.js

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

79177018

Date: 2024-11-11 09:16:15
Score: 2.5
Natty:
Report link

You can use new library which is build in Kotlin Image Cropper with Kotlin

Reasons:
  • Whitelisted phrase (-1.5): You can use
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Prince Kumar

79177016

Date: 2024-11-11 09:15:14
Score: 1
Natty:
Report link

We can use this following Query in Classic Query in Grafana Variables to add all the value from 2 metrics using Prometheus Query.

label_values({__name__=~"webex_users|missed_webex_hosts", job="pushgateway"}, Company Site)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Moses01

79177004

Date: 2024-11-11 09:10:13
Score: 1
Natty:
Report link

If your issue is about not displaying the table of contents in jupyter notebook, you can set waitInterval=0 in require.js file (usually located at C:\Users\User\anaconda3\Lib\site-packages\notebook\static\components\requirejs).

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

79177000

Date: 2024-11-11 09:09:13
Score: 2
Natty:
Report link

As an addition to @rvllzzr's answer, you might want to add the following types:

declare global {
    declare module "*?base64" {
        const value: string;
        export = value;
    };
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • User mentioned (1): @rvllzzr's
  • Low reputation (1):
Posted by: MrVauxs

79176997

Date: 2024-11-11 09:08:13
Score: 3
Natty:
Report link

The issue is well documented at https://www.autodesk.com/support/technical/article/caas/sfdcarticles/sfdcarticles/Unable-to-add-users-to-a-BIM-360-account-that-has-BIM-360-Design-Collaboration.html?us_oa=akn-us&us_si=7f1b0201-da5b-4658-8365-1526338d172e&us_st=members%20cannot%20be%20added%20you%20have%20reached%20the%20maximum%20number

Another workaround you can try is to add members to the Project from the Project Admin module instead from Account Admin Module.

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

79176986

Date: 2024-11-11 09:06:12
Score: 1
Natty:
Report link

I had an issue – tailwind styles were applied only after:

  1. Deleting .next folder
  2. Running npm run dev after
  3. For new styles repeat (1) and (2)

After some hours of debugging I find out that the problem is next.config.

For who is using TS, must use next.config.ts not next.config.ts or next.config.mjs.

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

79176977

Date: 2024-11-11 09:04:09
Score: 6 🚩
Natty: 4.5
Report link

enter image description here

how to do for this attached image.

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Starts with a question (0.5): how to
  • Low reputation (1):
Posted by: Swagat Sinnarkar

79176976

Date: 2024-11-11 09:03:09
Score: 1.5
Natty:
Report link

Looks like you are not adding other streams when configuring your camera session.

can try something like this:

camDevice.createCaptureSession( listOf(previewSurface, imgReader.getSurface()... ) ...

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

79176974

Date: 2024-11-11 09:03:09
Score: 1
Natty:
Report link

Upon uploading the dashboard to the Power BI service, the data source should be stored within a "Semantic model" that is accessible from the Home page list. Users are granted the capability to adjust the settings of this model as illustrated below:

enter image description here

It is allowed to edit the credentials and cloud connection settings in the sections of "Gateway and cloud connections" and "Data source credentials".

enter image description here

Based on my experience, refreshing the SharePoint data source can be somewhat time-consuming in Power BI Service. It might be beneficial to consider exploring alternative methods, such as establishing a streamlined ETL pipeline for transferring data from SharePoint to a database and enabling a more straightforward connection for Power BI.

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

79176963

Date: 2024-11-11 08:59:08
Score: 2.5
Natty:
Report link

The process should be an automatic referral to the dashboard and within Dashboard.vue you check if the customer is inside and if not you direct them to the login

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

79176958

Date: 2024-11-11 08:57:08
Score: 2.5
Natty:
Report link

It looks like you may have wrongly copy-pasted this token.

May you use this tool : https://jwt.io/ to verify your token.

I am able to reproduce this only when I intentionally miscopy the token

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

79176950

Date: 2024-11-11 08:55:07
Score: 2
Natty:
Report link

BigQuery now allows to undelete a dataset within time travel window

https://cloud.google.com/bigquery/docs/managing-datasets#undelete_datasets

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

79176948

Date: 2024-11-11 08:54:04
Score: 8 🚩
Natty: 6
Report link

-1

I created a table in Microsoft Access Database and I wanted to use this database in the website I built with HTML. The problem is that I don't know how to link the database file to my website (or to the form inside the body of the HTML file, I actually don't even know how it works...). Can you help me?

Reasons:
  • Blacklisted phrase (1): help me
  • RegEx Blacklisted phrase (3): Can you help me
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: SILVESTERS KARANI

79176947

Date: 2024-11-11 08:53:04
Score: 2
Natty:
Report link

This work with me not to add fxml files separated by comma add each as separated option

Enter this in VM arguments box: --module-path "\path\to\javafx-sdk-12.0.1\lib" --add-modules javafx.controls --add-modules javafx.fxml

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

79176940

Date: 2024-11-11 08:51:03
Score: 0.5
Natty:
Report link

LongPressCommand="{Binding Source={x: Reference longContentView}, Path=BindingContext.DeleteOrEditCommand }", then the command is not called

I don't see any issue here. May be I'm missing something.

Above you're setting binding source to your contentview. So, Unless your MessageModel object (item of our collection view) have a DeleteOrEditCommand defined, nothing will happen. Because, every binding inside collection view template points to you MessageModel object.

If your Command is defined in ViewModel, then your first approach will trigger the command since you explicitly set source outside the itemtemplate of collectionview

LongPressCommand="{Binding Source={x:Reference collectionView}, Path=BindingContext.DeleteOrEditCommand }"

( In this case the binding's will point to BindingContext set to page i.e ViewModel).

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

79176939

Date: 2024-11-11 08:51:03
Score: 1.5
Natty:
Report link

You should import RouterOutlet in your component , Like this example:

import { RouterOutlet } from '@angular/router';

and provide it in imports:

imports: [
  RouterOutlet
],
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Aria

79176920

Date: 2024-11-11 08:46:02
Score: 2
Natty:
Report link

BigQuery now supports federated queries AlloyDB

https://cloud.google.com/bigquery/docs/alloydb-federated-queries

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

79176913

Date: 2024-11-11 08:44:02
Score: 3.5
Natty:
Report link

You should also add the 'mute' parameter with value '1': ?autoplay=1&mute=1.

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

79176908

Date: 2024-11-11 08:42:01
Score: 2
Natty:
Report link

Try running:

ionic repair

It solved the issue in my case.

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

79176905

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

BigQuery terraform module supports natively to manage the tags now, using google_tags_tag_key, google_tags_tag_value, resource_tags

Reference:

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

79176889

Date: 2024-11-11 08:35:59
Score: 3
Natty:
Report link

Could it be because the "job" column contains values that are not in the dictionary you created? If that's the case you'll need to clean the data or edit the dictionary so that it contains all the values in your dataframe.

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

79176887

Date: 2024-11-11 08:34:58
Score: 4
Natty:
Report link

You try it

dotnet tool install --global dotnet-ef --source https://api.nuget.org/v3/index.json

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

79176886

Date: 2024-11-11 08:34:58
Score: 3
Natty:
Report link

There is no way to determine the parent folder without the hub/ account id.

If you had a urn of at least 1 folder, this could have helped by using https://aps.autodesk.com/en/docs/data/v2/reference/http/projects-project_id-folders-folder_id-parent-GET/

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

79176880

Date: 2024-11-11 08:32:57
Score: 0.5
Natty:
Report link

BigQuery launched 'external datasets' feature for Spanner, now we can query the Spanner without moving data from Spanner to BigQuery storage.

https://cloud.google.com/bigquery/docs/spanner-external-datasets

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

79176878

Date: 2024-11-11 08:30:57
Score: 5
Natty:
Report link

solution Check the official document here.

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

79176861

Date: 2024-11-11 08:25:55
Score: 1.5
Natty:
Report link

BigQuery launched 'Translate queries' feature to translate a query from a different SQL dialect into a GoogleSQL query.

https://cloud.google.com/bigquery/docs/interactive-sql-translator

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

79176850

Date: 2024-11-11 08:22:55
Score: 0.5
Natty:
Report link

You don't need to configure the Ballerina home path in VS Code settings or as an environment variable.

The Ballerina installer will automatically set up symlinks and environment variables during installation, and the Ballerina VS Code extension will auto-detect the system’s Ballerina version based on these settings.

Therefore you can revert any custom configurations you’ve added and follow the exact steps in the Ballerina VS Code Extension Get Started Guide. Also, ensure that you’re using the correct Ballerina installer to install Ballerina on your system.

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

79176846

Date: 2024-11-11 08:20:54
Score: 12.5
Natty: 7
Report link

i have the same question, i add DatapathAttributes but it still happens. did you solve it?

Reasons:
  • Blacklisted phrase (1): i have the same question
  • RegEx Blacklisted phrase (3): did you solve it
  • RegEx Blacklisted phrase (1.5): solve it?
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): i have the same question
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Louis

79176834

Date: 2024-11-11 08:14:53
Score: 2.5
Natty:
Report link

As of Nov 2024, you can just rename your mp3 to mp4 and upload it in the built-in editor:

GIF of uploading an MP3 converted to MP4 to GitHub

It plays just fine, at least for me. (Not sure if it was this way all along or was just recently made possible.)

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

79176831

Date: 2024-11-11 08:14:53
Score: 1
Natty:
Report link

In the latest versions, dropdown-multi select automatically add 300px as a default height. But you can customize with this class

::ng-deep .dropdown-list .list-area div[style*="overflow: auto"] {
  max-height: 9rem !important;
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Haamza

79176830

Date: 2024-11-11 08:14:53
Score: 4
Natty:
Report link

It seems that your @Version field contain 'null' id DB, but it should be initialized first.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • User mentioned (1): @Version
  • Single line (0.5):
  • Low reputation (1):
Posted by: Alexander Birchenko

79176819

Date: 2024-11-11 08:07:51
Score: 5
Natty: 4
Report link

"Loaders are deprecated as of Android 9 (API level 28)."

Android 9 was released in August 2018. Why do you implement a deprecated API almost 1.5 years later?

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: The incredible Jan

79176800

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

You should get list the cited-by number of the articles you get from scopus and then calculate the h-index.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Tran Bao Linh K17 HL

79176794

Date: 2024-11-11 07:59:49
Score: 1
Natty:
Report link

Only changing targetSdk and compileSdk version, solved my issue:

android {
namespace = "com.geekytaurus.taskmanagerstatus"
compileSdk = 34

defaultConfig {
    applicationId = "com.geekytaurus.taskmanagerstatus"
    minSdk = 26
    targetSdk = 34
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: geekytaurus

79176791

Date: 2024-11-11 07:57:49
Score: 1
Natty:
Report link

Check sourceCompatibility field in your build.gradle and set same Gradle JVM version in

Settings -> Build, Execution, Deployemtn -> Gradle (alt+control+s)

If something went wrong - check Project structure, Gradle user home

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

79176788

Date: 2024-11-11 07:56:48
Score: 1
Natty:
Report link

$(function(){

        var $elem = $(this);
        $elem.find('img')

         .stop(true)


             .andSelf()
             .find('.sdt_wrap')
             .stop(true)
             .andSelf()

             .find('.sdt_active')

             .stop(true)

             .animate({'height':'45px'},300,function(){

            var $sub_menu = $elem.find('.sdt_box');

            if($sub_menu.length){   
            }   
        });
Reasons:
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: NASA

79176787

Date: 2024-11-11 07:56:46
Score: 7.5 🚩
Natty:
Report link

i have the same issue , all server action works in development but when i deploy in vercel i get 405 error !

Reasons:
  • Blacklisted phrase (1): i have the same issue
  • RegEx Blacklisted phrase (1): i get 405 error
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): i have the same issue
  • Single line (0.5):
  • Low reputation (1):
Posted by: Saul Goodman

79176786

Date: 2024-11-11 07:55:45
Score: 1
Natty:
Report link

Here is My solution. Change the Orientation of the ScrollView to Vertical.

<ScrollView Orientation="Vertical">

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

79176781

Date: 2024-11-11 07:54:45
Score: 4
Natty: 4
Report link

@Leonardo,

Thanks for your anwser. Trival solution, but something I couldn't figure out myself 💪

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (1):
  • No code block (0.5):
  • User mentioned (1): @Leonardo
  • Low reputation (1):
Posted by: chclony

79176759

Date: 2024-11-11 07:43:43
Score: 2
Natty:
Report link

Define a new layer "Player" , give to your player this layer. then in your enemy Rigidbody or collision component there is a section called include layer, select player layer. enemy ignore any force incoming from the player.

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

79176758

Date: 2024-11-11 07:42:42
Score: 2.5
Natty:
Report link

You must use --force

mysql -u XXX -p database_name < database.sql --force

this work for you

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

79176754

Date: 2024-11-11 07:40:42
Score: 0.5
Natty:
Report link

Yes, this is legal. You should report a bug to your static analyzer.

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • High reputation (-2):
Posted by: HolyBlackCat

79176751

Date: 2024-11-11 07:40:42
Score: 2.5
Natty:
Report link

Nowadays In Rails 8, if I click on a link_to (a tag) calling a turbo action, this same issue happen. Workaround: use a button_to (button tag) in your view

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

79176749

Date: 2024-11-11 07:39:42
Score: 1
Natty:
Report link

call this hook on aquila_enqueue_scripts function

add_action( 'init','aquilla_enqueue_scripts'); 
add_action( 'wp_enqueue_scripts', 'aquilla_enqueue_scripts' );
add_action('admin_enqueue_scripts', 'aquilla_enqueue_scripts');
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Naveen Dwivedi

79176739

Date: 2024-11-11 07:35:40
Score: 4
Natty:
Report link

I've setup UptimeRobot to ping my app every 5 minutes, this seems to work. Although if anyone knows a different solution, let me know.

Reasons:
  • Blacklisted phrase (1): anyone knows
  • Low length (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Pauldb

79176736

Date: 2024-11-11 07:33:40
Score: 2
Natty:
Report link

"authSource=admin" add this one DATABASE_URL="mongodb+srv://rdilsha8755:[email protected]/myDatabase**?authSource=admin**"

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

79176734

Date: 2024-11-11 07:32:39
Score: 4
Natty:
Report link

I do not know, why your route is /en

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

79176730

Date: 2024-11-11 07:30:34
Score: 1.5
Natty:
Report link

Yes I can confirm

implementation 'com.github.warkiz:IndicatorSeekBar:v2.1.1'

is still working as of to date.

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

79176729

Date: 2024-11-11 07:30:31
Score: 7.5 🚩
Natty:
Report link

I guess your yaml file isn't formatted correctly can you show the content of it?

Reasons:
  • RegEx Blacklisted phrase (2.5): can you show
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Ariya

79176727

Date: 2024-11-11 07:30:31
Score: 0.5
Natty:
Report link

user encodeURIComponent function which is provided from javascript library itself

path =encodeURIComponent("enc:i}cyHdpc@@?L?@bBAZERwHhNw@zBONULXbC}FjAwBh@eGbB[LGJW]gAmB_@w@_@w@_HnLgDrFqAhBSTQDMn@QfAcApF?^B\Rl@z@xAL@IR]RqA\\YF]@c@NcALWPWZeBbBuFdE}D~CuBlAgA~@c@\\OCy@b@eBb@_DpAuDjBw@n@]v@c@tBe@fBWj@k@d@mExByB|@qBpAYFgABc@N}@f@s@l@e@b@_AvA{E|JoAvB_ApAKLaCaH[kBW{CEa@GcBQ}AUuAg@}BsCcKiDgN_AwDmBxAkBBWm@KoAWQMB")

your_url = https://maps.googleapis.com/maps/api/staticmap?size=600x400&path=${path}&key={API_KEY}

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

79176723

Date: 2024-11-11 07:28:31
Score: 1
Natty:
Report link

Based on this vscode issue comment:

sudo chsh -s /usr/bin/bash

then when I check what is my shell by running

echo $SHELL

it now points to /usr/bin/bash

restart computer open your vs code

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

79176715

Date: 2024-11-11 07:25:30
Score: 2
Natty:
Report link

If merged_native_libs not generated mean playstore also not showing warning for upload files like armeabi-v7a, arm64-v8a, x86, etc.

No Native Libraries: If your project doesn't use any native libraries (.so files), Android Studio may skip creating the merged_native_libs folder entirely.

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

79176714

Date: 2024-11-11 07:24:30
Score: 1.5
Natty:
Report link

I am developing a snake-like game that involving solving the following problem:

Given an m*n 2D grid, some of the locations are one while other locations are zero. The snake starts at (0,0) and will head toward the destination (m-1,n-1). At each step, it can only go right or down. Once it reached (m-1,n-1), it need to go back to (0,0) and in each step it can only go left or up. What is the maximum points it can get with this round trip?

If it is only an one-way trip, this can be easily solved with dynamic programming: max_gain(i,j)=max(max_gain(i+1,j),max_gain(i,j+1))+loc[i][j]. However, in my problem, it is a round-trip and one the way back, we must exclude points that are already taken on the way towards the destination. The input size (m and n) are around 1K so it is not practical to brute force it.

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

79176708

Date: 2024-11-11 07:22:29
Score: 4
Natty:
Report link

I had same problem resolved by setting outbound rules on ec2 instance inside private subnet.

Outbound rules in route table

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

79176702

Date: 2024-11-11 07:20:29
Score: 3
Natty:
Report link

Found solution in this post: Detect which element flex-wrap affects. Using getBoundingClientRect() found difference of 'top' between current and next word and by that got the index of last word in-line.

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