79265814

Date: 2024-12-09 17:00:18
Score: 1
Natty:
Report link

I opened the project in explorer and deleted the entire .vs folder. Then, I reopened the project in visual studio and it worked again.

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

79265811

Date: 2024-12-09 17:00:18
Score: 1
Natty:
Report link

I am in a similar situation. I am using selenium to access a webpage, navigate to a specific page and then clin on a link that opens the print dialog. I am planing on then connecting to the print dialog using the pywinauto to set up the printing options and print de document, but I am having plenty of issues locating the elements. When I use Inspect, I can locate the elements just fine, but when I execute my code that connects to the already opened crome window and then print I am unable to locate the ui elements.

Screen capture of inspect.exe and the elements that I wish to interact with

When executing the following code:

from pywinauto.application import Application

app = Application(backend="uia").connect(title_re=".*- Google Chrome -.*")


win = app.window(best_match="using pywinauto, how can I draw a rectangle arround a ui element?")
win.print_control_identifiers()

The control identifiers do not display anything that looks remotely similar to the ui elements I need to access.

The most I have been able to locate in the control identifiers tree is the following:

   | Pane - 'Print'    (L299, T78, R1622, B955)
   | ['Print', 'PrintPane', 'Pane22']
   | child_window(title="Print", control_type="Pane")
   |    | 
   |    | Pane - ''    (L299, T78, R1622, B955)
   |    | ['Pane23']
   |    |    |
   |    |    | Pane - ''    (L299, T78, R1622, B955)
   |    |    | ['Pane24']
   |    |    |    | 
   |    |    |    | Pane - ''    (L0, T0, R0, B0)
   |    |    |    | ['Pane25']
   |    |    |    | 
   |    |    |    | Pane - ''    (L306, T83, R1615, B946)
   |    |    |    | ['Pane26']

Which seems to have something to do with the Print dialog, but I can't locate anything that looks like any of the drop-downs I need to interact with.

Any pointers will be greatly appreciated since I have been strugling with this for days.

Reasons:
  • Blacklisted phrase (1): appreciated
  • Blacklisted phrase (0.5): how can I
  • Blacklisted phrase (0.5): I need
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: osantos

79265794

Date: 2024-12-09 16:55:17
Score: 3
Natty:
Report link

check the error logs. there have to be an error failing auth process.

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

79265788

Date: 2024-12-09 16:52:16
Score: 1
Natty:
Report link

In my case, a similar error occurred because the credit card I had set up for my billing account was being expired. This is my case, I hope it helps

Reasons:
  • Whitelisted phrase (-1): hope it helps
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Kei

79265787

Date: 2024-12-09 16:52:16
Score: 1
Natty:
Report link
from datetime import datetime
year = datetime.now().year
month = datetime.now().month

OR

import datetime
year = datetime.datetime.now().year
month = datetime.datetime.now().month
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Somesh Mahajan

79265765

Date: 2024-12-09 16:44:13
Score: 4
Natty:
Report link

I hadn’t annotated the relations in another class which contained a collection of Grade

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

79265760

Date: 2024-12-09 16:42:12
Score: 8.5 🚩
Natty:
Report link

I have the same problem, all http calls blocked....I have php 8.3 and laravel 10...Solutions?

Reasons:
  • Blacklisted phrase (1): I have the same problem
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): I have the same problem
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: alettio87

79265747

Date: 2024-12-09 16:39:11
Score: 3
Natty:
Report link

At the moment, it's not supported, so please add your vote to the corresponding feature request: https://youtrack.jetbrains.com/issue/RUBY-33686/Add-jb-to-the-New-view-file-menu

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

79265741

Date: 2024-12-09 16:35:10
Score: 0.5
Natty:
Report link

I managed to achieve what I want but I consider this a workaround more than a robust solution. This seems like a known issue.

Firstly, I updated the code at App.razor to the following

private IComponentRenderMode? RenderModeForPage => new InteractiveServerRenderMode(prerender: false);

Now, the login page will keep reloading indefinitely, so I updated the AccountLayout.razor like this in order to control the continuous reload

@if (HttpContext is null && !IsInteractive)
{
    <p>@localizer["Loading"]</p>
}
else
{
    @Body
} 

@code {
    [CascadingParameter] private HttpContext? HttpContext { get; set; }

    private bool IsInteractive
    {
        get
        {
            return NavigationManager.Uri.Contains("interactive=true") || NavigationManager.Uri.Contains("interactive%3Dtrue");
        }
    }

    protected override void OnParametersSet()
    {
        if (HttpContext is null && !IsInteractive)
        {
            NavigationManager.NavigateTo($"{NavigationManager.Uri}?interactive=true", forceLoad: true);
        }
    }
}

Nothing fancy here, just adding a query string to stop the reload.

Now, I thought I should be able to access the protectedLocalStorage after the successful login but I still find it equals null at GetAuthenticationStateAsync()

So, I added a new razor component RedirectComponent.razor & redirected from login.razor to it, then redirect from the new component to the ReturnUrl

@page "/RedirectComponent"

@inject NavigationManager NavigationManager
@inject IStringLocalizer<Resource> localizer

<p>@localizer["Loading"]</p>

@code {
    protected override async Task OnAfterRenderAsync(bool firstRender)
    {
        if (firstRender)
        {
            var uri = new Uri(NavigationManager.Uri);
            var query = System.Web.HttpUtility.ParseQueryString(uri.Query);
            var returnUrl = query["ReturnUrl"];

        StateHasChanged();
        NavigationManager.NavigateTo(returnUrl ?? "Account/Login", replace: true); //to prevent the page from registering in the browser history
    }
}

}

This is login.razor code after successful login

var uri = new Uri(NavigationManager.Uri);
var query = System.Web.HttpUtility.ParseQueryString(uri.Query);
ReturnUrl = query["ReturnUrl"];
ReturnUrl = !string.IsNullOrEmpty(ReturnUrl) && ReturnUrl.Contains("?") ? ReturnUrl.Split("?")[0] : ReturnUrl;

StateHasChanged();
NavigationManager.NavigateTo("RedirectComponent?ReturnUrl=" + ReturnUrl ?? "", forceLoad: true);

Now, it's working as intended but I'm not satisfied with all these workarounds. I believe these should be a much more straightforward solution as this is a very common use case when using a third-party API to authenticate.

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

79265736

Date: 2024-12-09 16:33:08
Score: 4
Natty:
Report link

You need to set mimetype to text/*

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

79265727

Date: 2024-12-09 16:30:07
Score: 2.5
Natty:
Report link

Ich habe früher mal mit ORACLE gearbeitet. Dort hat ein Primary Key mit zwei Spalten funktioniert. Warum hier nicht auch? die Behauptung "Eine Tabelle kann nie zwei Primärschlüssel enthalten. – Luuk Kommentiert3. Januar 2021 um 15:32 Uhr"

scheint etwas unseriös.

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

79265721

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

The Accepted answer might be good for 2014 but in today scenario, most of the people are on an multi core architecture which supports parallel thread execution.

The downloading takes two to process and if indeed your internet speed is the limiting factor, no one can help you but there are scenarios where this multi process downloading helps you-

In fact, it might be possible or a great product if a download manager supports proxy setup to download a single resources in multiple segments from different IP addresses.

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

79265712

Date: 2024-12-09 16:23:05
Score: 1.5
Natty:
Report link

You can override Illuminate\Foundation\Exceptions\Handler -> prepareException method.

I was also expecting ModelNotFoundException exception rather than NotFoundHttpException. I have to override its default method prepareException so to catch ModelNotFoundException and to return "404 not found" json response from app\Exceptions\Handler.php

screenshot

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

79265703

Date: 2024-12-09 16:19:04
Score: 0.5
Natty:
Report link

In my current architecture, I use RabbitMQ as the message broker. I chose RabbitMQ over other alternatives because it’s already integrated into the system and provides a simple solution for handling WebSocket sessions beyond the in-memory sessions offered by spring websocket library.

A key feature of RabbitMQ is its ability to share user sessions across multiple servers connected to the same RabbitMQ broker. This is crucial for scenarios where users are connected to different servers in a distributed system.

For example, if an admin is connected to Server A via a WebSocket and sends a notification, RabbitMQ ensures that all users connected to the application—regardless of whether their websocket connection is open on Server A or on another server—can receive the notification. This is because RabbitMQ shares user session from and to your application's servers.

To achieve this, the admin publishes the notification to a specific queue (e.g., "notify-queue"). All users subscribed to this queue, no matter which server they are connected to, will receive the message.

If you're considering Kafka as an alternative to RabbitMQ, you should evaluate whether Kafka provides a similar mechanism for distributing messages to WebSocket clients in a multi-server architecture.

Resources:

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

79265701

Date: 2024-12-09 16:19:04
Score: 0.5
Natty:
Report link

Since version 1.7.5 (Feb, 2024) they added the argument "data_sorter", now you can exclude xml tag sorting project readme:

import dict2xml
data={'QQQ': 1,'SSS':30,'AAA':100}
data_sorter=dict2xml.DataSorter.never()
xml = dict2xml.dict2xml(data,data_sorter=data_sorter)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: FRa

79265699

Date: 2024-12-09 16:19:04
Score: 3
Natty:
Report link

I had this issue so I created a little script to erase and save dep in requirements.txt file automatically. You can have a look here : https://github.com/Romeo-mz/clean_all_venv

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

79265693

Date: 2024-12-09 16:15:03
Score: 3.5
Natty:
Report link

I cannot comment the previous comment of @rukmini.

To get cost by resource :

for row in result.as_dict()['rows']:
    resource_id = row[2]
    resource = resource_id.split('/')[-1]
    cost_sum = row[1]
    print(f"Cost for [{time_period_in_past}] days for resource [{resource}] is [{cost_sum}] USD")
Reasons:
  • Blacklisted phrase (0.5): I cannot
  • RegEx Blacklisted phrase (1): cannot comment
  • Low length (0.5):
  • Has code block (-0.5):
  • User mentioned (1): @rukmini
  • Low reputation (1):
Posted by: Mohamed Jalil

79265691

Date: 2024-12-09 16:14:03
Score: 1
Natty:
Report link

Try to modify your model to return list of dictionaries instead of pd.DataFrame

Example:

return [{
    'answers': a,
    'sources': s,
    'prompts': p
} for a, s, p in zip(answers, sources, prompts)]
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: grigoriiv

79265678

Date: 2024-12-09 16:09:02
Score: 2
Natty:
Report link

Just wrap it with a SizedBox widget. Also its not mandatory that a BottomAppBar needs to be passed to that widget, it can be any widget which has a custom widget

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

79265673

Date: 2024-12-09 16:08:01
Score: 4.5
Natty: 5
Report link

como hago para poder hacer referencia a esa columna, la cual tiene un proceso. Ejemplo: (P1.Id_Factura - LAG(P1.Id_Factura, 1, P1.Id_Factura) OVER (ORDER BY P1.Id_Factura)-1) en una instrucción anidada select. Gracias

Reasons:
  • Blacklisted phrase (2): Gracias
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Victor Pittol

79265657

Date: 2024-12-09 16:03:59
Score: 3
Natty:
Report link

I dont get it too bc for some reason its the same error i tried to make a text pop up from the bottom of the screen but the tween doesnt work, why?

heres my code:

game.Players.PlayerAdded:Connect(function(plr)

local PopUpTweenInfo = TweenInfo.new(2, Enum.EasingStyle.Back)
local PopUpTweenGoal = {
    Position = 0.196,0,0.136,0
}
local PopUpTween = TS:Create(PopUpFrame, PopUpTweenInfo, PopUpTweenGoal)
task.wait(8)
PopUpTween:Play()

end)

Reasons:
  • Blacklisted phrase (1): doesnt work
  • Blacklisted phrase (0.5): why?
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Serano

79265656

Date: 2024-12-09 16:03:59
Score: 1
Natty:
Report link

2024, using lodash.debounce

useEffect(() => {
  const debouncedResize = debounce(() => {
    mapRef.current?.resize();
  }, 0);

  const handleResize = () => {
    debouncedResize();
  };

  const resizer = new ResizeObserver(handleResize);

  if (mapContainerRef.current) {
    resizer.observe(mapContainerRef.current);
  }

  return () => {
    resizer.disconnect();
    debouncedResize.cancel();
  };
}, []);
Reasons:
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: morphoix

79265654

Date: 2024-12-09 16:03:59
Score: 2.5
Natty:
Report link

decoration: BoxDecoration( image: DecorationImage(image: AssetImage(AppIcons().balls),scale: 2.5), ),

the higher the scale the lesser the image will be

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

79265649

Date: 2024-12-09 16:01:59
Score: 3.5
Natty:
Report link

It has been implemented in version 2024.12 and docs available at document operations

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

79265645

Date: 2024-12-09 16:00:58
Score: 1.5
Natty:
Report link

You can set an update period in the in the AppWidgetProviderInfo, however this doesn't support intervals smaller than 30mins. The proposed WorkManager workaround will also not work for intervals less than 15mins.

Frequent updates are not allowed because it would use too much power, sadly widgets are quite inefficient.

I suggest you read the guide on optimizing widget updates, but I don't think what you're trying to achieve is feasable.

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

79265644

Date: 2024-12-09 16:00:58
Score: 4
Natty:
Report link

can you please try, if SELECT *, (SELECT (SELECT *, ->has->api.* AS api FROM ->collection_to_folder->folder) AS folders FROM ->workspace_to_collection->collection) AS collections FROM workspaces:4yuie4oj7jrrhqvs3m7m; returns the desired structure?

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): can you please
  • Low reputation (1):
Posted by: TheUnknown

79265630

Date: 2024-12-09 15:57:57
Score: 2
Natty:
Report link

Another vendor/chip family: For TI's MSPM0 family, the Technical Reference Manual states in Sect. 1 Architecture, 1.2 Bus Organization: "All arbitration between the CPU and DMA is done on a round-robin basis."

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

79265629

Date: 2024-12-09 15:57:56
Score: 4
Natty: 5
Report link

Four years later, your solution helps again, thanks Kumar!

Reasons:
  • Blacklisted phrase (0.5): thanks
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Brian Brozyna

79265625

Date: 2024-12-09 15:55:56
Score: 1
Natty:
Report link

Has anybody noticed that open -g doesn't seem to work anymore (Monterey/Sequoia)? It used to work fine, but seems to have stopped in recent upgrades.

I have this as the last line in a script I run from iTerm, but focus is immediately taken by VSCode:

open -g "/Users/sparker/dev/IL_IM.code-workspace"

I do want the VSCode window visible, just not foreground.

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

79265613

Date: 2024-12-09 15:53:55
Score: 0.5
Natty:
Report link

make_celery.py

import os
from flask.cli import load_dotenv

from app import create_app

load_dotenv()  # add this !

flask_app = create_app(os.getenv('FLASK_CONFIG') or 'default')
celery_app = flask_app.extensions["celery"]
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: akpp

79265606

Date: 2024-12-09 15:52:54
Score: 5.5
Natty:
Report link

Problem solved with all details here: https://github.com/control-toolbox/OptimalControl.jl/issues/375.

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

79265599

Date: 2024-12-09 15:49:53
Score: 2.5
Natty:
Report link

I think below resource would be good guide for folks wanting to move from Vscode to Webstorm world:

enter image description here

https://www.jetbrains.com/help/webstorm/how-to-migrate-from-vs-code-to-webstorm.html#switch_to_vscode_keymap

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

79265592

Date: 2024-12-09 15:48:53
Score: 3.5
Natty:
Report link

good question, waiting for a solution

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

79265589

Date: 2024-12-09 15:47:53
Score: 3.5
Natty:
Report link

Thank you for responding to my question. Upon reading the documentation, it needs 24 hrs waiting time or latency after being made the account into orgadmin.

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

79265585

Date: 2024-12-09 15:46:53
Score: 1
Natty:
Report link

Well so actually the error was that rsp uses a custom toolchain defined in another related project. I needed to update it with sp1up.

Reasons:
  • Blacklisted phrase (0.5): I need
  • Low length (1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: ClementWalter

79265580

Date: 2024-12-09 15:45:52
Score: 2
Natty:
Report link

I am working on Blazor .Net Core. So I faced this error, i did some research and I found I haven't installed the NuGet package Syncfusion.Blazor package. I installed the package and resolved the error in this way. In broader aspect you are missing to install the NuGet package.

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

79265571

Date: 2024-12-09 15:42:51
Score: 2
Natty:
Report link

The fix I was looking for was more simple than I hoped. Thanks to BigBen for the reply.

RawDataMR.Range("A1").Resize(.Rows.Count, .Columns.Count).NumberFormat = "@"

, before transferring the value. – BigBen

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

79265566

Date: 2024-12-09 15:39:51
Score: 2.5
Natty:
Report link

This Prepared by "author" field is not the same as "username" field. The problem is when uploading an xlsx file to SharePoint as a template. We want each user who submits an instance of the template to have their username appear on the footer. Instead, it always shows the name of the original author of the template document.

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

79265565

Date: 2024-12-09 15:39:51
Score: 1
Natty:
Report link

I had to use this artifact (notice this is Android Specific)

implementation("androidx.compose.material:material-icons-extended-android:1.7.5")
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Moreno

79265559

Date: 2024-12-09 15:37:50
Score: 2
Natty:
Report link

There is a way to see your php code... but you have to make a .htaccess file change to the webserver, to show embedded php code in your html pages.

Inside VSC as far as I know, is not possible... it hasn't have that feature.

But you can install a php server in VSC, to show previews of your php files on your prefered browser.

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

79265558

Date: 2024-12-09 15:36:50
Score: 2.5
Natty:
Report link

You are expecting to deserialize a string to an ENUM. Are you actually sending a string?

Because I'm not seeing the ENUM being converted to string in our API example. By default ENUMs are serialized to their numeric values.

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

79265535

Date: 2024-12-09 15:30:46
Score: 8.5 🚩
Natty:
Report link

111111111111111111111111111111111111111111111111111111111111111111111111111111111111111111111

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • No latin characters (3.5):
  • Filler text (0.5): 111111111111111111111111111111111111111111111111111111111111111111111111111111111111111111111
  • Low entropy (1):
  • Low reputation (1):
Posted by: Pedro Paulo Ferreira

79265521

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

This solved for me:

model.output_names=['output']
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: user28700496

79265517

Date: 2024-12-09 15:23:44
Score: 3.5
Natty:
Report link

This is an IDE bug, In order to fix it, only find Repair IDE from File menu and press it and and Rescan the project after reopening project it will be fixed.

Android studio menu

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

79265516

Date: 2024-12-09 15:23:44
Score: 1.5
Natty:
Report link

After getting some help from AWS, I was able to create a connection. Here is what was recommended for the above setup. Add SecretsManagerReadWrite to IAM role.

Add the following VPC endpoints to the VPC and subnet where your Redshift cluster is configured:

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

79265510

Date: 2024-12-09 15:21:43
Score: 4
Natty: 4
Report link

This did not work for me fully, I was getting "Wrong Username / Invalid Credentials". I could get it to work by appending "AzureAD" before the user name like "AzureAD<username>@.onmicrosoft.com". This link helped me: https://www.benday.com/2022/05/17/fix-cant-log-in-to-azure-vm-using-azure-ad-credentials/

Reasons:
  • Blacklisted phrase (1): did not work
  • Blacklisted phrase (1): This link
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Ganesh Ramachandran Nair

79265505

Date: 2024-12-09 15:20:43
Score: 2
Natty:
Report link

It's been a while since I don't write an e-mail template, but I suggest you doing this using tables and use some sort of e-mail boilerplate to help you to "normalize" the CSS among clients. Sometinhg like this https://htmlemailboilerplate.com/

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

79265484

Date: 2024-12-09 15:15:41
Score: 1
Natty:
Report link

so I just made the metadata parameters to accept data from the params in the layout.jsx file. I made sure that the parameters are gotten from the page.mdx file itself like below & it works... Cant believe I was stuck here for so long. just leaving the code here so that it helps anyone like me because I havent seen a reply in stackOverflow that helped me

(inside mdx.js)

export async function getArticleBySlug(slug, type) {
  const filePath = path.join(process.cwd(), `src/app/${type}/${slug}/page.mdx`);

  if (!fs.existsSync(filePath)) {
    return null; // Return null if the file does not exist
  }

  const fileContent = fs.readFileSync(filePath, 'utf8');
  const { data, content } = matter(fileContent);

  return {
    metadata: data, // Frontmatter metadata
    content: await serialize(content), // Serialized MDX content
  };
}

(inside layout.jsx)

export async function generateMetadata({ params }) {
  // Dynamically load content based on the route
  const { slug } = params;
  let pageMetadata = {
    title: 'page title',
    description: 'page description',
    url: 'https://page/',
    image: 'https://page/defaultimage.png',
  };

  if (slug) {
    // Example for blog articles
    const articles = await loadArticles();
    const article = articles.find((a) => a.slug === slug);

    if (article) {
      pageMetadata = {
        title: `${article.title} - page`,
        description: article.description || pageMetadata.description,
        url: `https://page/${slug}`,
        image: article.image || pageMetadata.image,
      };
    }
  }

  return {
    title: {
      template: '%s - page',
      default: 'page description',
    },
    openGraph: {
      title: pageMetadata.title,
      description: pageMetadata.description,
      url: pageMetadata.url,
      type: 'website',
      images: [
        {
          url: pageMetadata.image,
          width: 800,
          height: 600,
          alt: 'image',
        },
      ],
    },
  };
}
Reasons:
  • Blacklisted phrase (1): stackOverflow
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: wwon

79265477

Date: 2024-12-09 15:13:40
Score: 4.5
Natty: 4
Report link

I have the same problem,this is my code can you verify with me please? "{ "expo": { "name": "Fettecha", "slug": "reactexpo", "privacy": "public", "version": "1.0.0", "orientation": "portrait", "icon": "./assets/icon.png", "userInterfaceStyle": "light", "splash": { "image": "./assets/splash.png", "resizeMode": "contain", "backgroundColor": "#ffffff" }, "ios": { "supportsTablet": true, "bundleIdentifier": "com.salem.kerkeni.reactexpo" }, "android": { "adaptiveIcon": { "foregroundImage": "./assets/icon.png", "backgroundColor": "#ffffff" }, "package": "com.salem.kerkeni.reactexpo", "config": { "googleMaps": { "apiKey": "apikey" } } }, "plugins": [ [ "expo-updates", { "username": "salem.kerkeni" } ], [ "expo-build-properties", { "android": { "usesCleartextTraffic": true }, "ios": { "flipper": true } } ] ], "package": "com.salem.kerkeni.reactexpo", "web": { "favicon": "./assets/favicon.png" }, "extra": { "eas": { "projectId": "2140de56-9d4e-4b36-86e2-869ebc074982" } }, "runtimeVersion": { "policy": "sdkVersion" }, "updates": { "url": "https://u.expo.dev/2140de56-9d4e-4b36-86e2-869ebc074982" }, "owner": "salem.kerkeni" } } "

Reasons:
  • Blacklisted phrase (1): I have the same problem
  • Long answer (-1):
  • No code block (0.5):
  • Me too answer (2.5): I have the same problem
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Salem Djerbien

79265476

Date: 2024-12-09 15:12:40
Score: 2
Natty:
Report link

As mentioned by @andreban, query-parameters may be used to pass info from native to the web-app.

Starting with Chrome 115, TWAs can also utilize postMessage to communicate between the web and native app at runtime.

See the official docs here: https://developer.chrome.com/docs/android/post-message-twa

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • User mentioned (1): @andreban
  • Low reputation (1):
Posted by: RandomDude244

79265471

Date: 2024-12-09 15:11:39
Score: 1.5
Natty:
Report link

PIL's loop = 1 makes it loop twice in total, loop = 2 loops thrice, etc.

To get it to loop exactly once, remove the argument of loop completely, it defaults to once.

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

79265465

Date: 2024-12-09 15:09:39
Score: 1
Natty:
Report link
    def find(text, __sub, skip=0):
        if skip == 0:
            return text.find(__sub)
        index = text.find(__sub) + 1
        return index + find(text[index:], __sub, skip - 1)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: jpaulsen

79265464

Date: 2024-12-09 15:08:38
Score: 2
Natty:
Report link

ax1.text(-0.1, ratio.iloc[0].sum() + 0.5, 'N=515', fontsize=9, color='black', weight='bold', ha='center') ax1.text(0.9, ratio .iloc[1].sum() + 0.5, 'N=303', fontsize=9, color='black', weight='bold', ha='center')

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

79265461

Date: 2024-12-09 15:08:38
Score: 5
Natty: 5.5
Report link

https://youtu.be/29qBvRGMnp4 Made a video to explain. Hope it helps.

Reasons:
  • Blacklisted phrase (1): youtu.be
  • Whitelisted phrase (-1): Hope it helps
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Bo_broccoli

79265458

Date: 2024-12-09 15:07:38
Score: 1.5
Natty:
Report link
  1. It looks like the issue is happening because Excel is trying to treat any cell that starts with === as a formula, which is causing the error

  2. You can loop through the cells and check if they start with = (which includes ===), and then add an apostrophe (') at the start to make sure Excel treats it as plain text instead of a formula

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

79265454

Date: 2024-12-09 15:07:38
Score: 0.5
Natty:
Report link

This "non-boolean truth table", as the OP has named it, can be converted into 3 (3 bits to cover the 6 types of Activities) truth tables, each with 5 bits of input (note Location requires 2 bits). This will contain some don't care values since there are only 6 types of Activities vs. 2^3 = 8, and since there are only 3 types of Locations vs. 2^2 = 4. From these truth tables, the kmaps can be constructed. From these kmaps, the boolean minimized equations can be constructed. From these boolean equations, the efficient code can be written. Note that this is a lot of mental work, which might be error prone. Based on this, and the fact that the OP merely asked for guidance, I will leave this work for the OP.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Single line (0.5):
Posted by: Andrew

79265453

Date: 2024-12-09 15:07:37
Score: 6 🚩
Natty: 5.5
Report link

Worked like a charm. Thanks A-Boogie18

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (1): Worked like a charm
  • Low length (2):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: RCX

79265435

Date: 2024-12-09 15:03:35
Score: 2
Natty:
Report link

I got the same error. I got a hint in the Windows Event Viewer and as it turned out, an external library was not properly included in the published Build. Adding the NuGet package that provides the missing library fixed the issue for me.

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

79265434

Date: 2024-12-09 15:03:35
Score: 0.5
Natty:
Report link

This question is old, so, probably my next answer is just relevant recently.

As of today - tested in a postgresql 15 - the function trunc does the trick:

SELECT round(cast (41.0255 as numeric),3), --> 41.026
       trunc(cast (41.0255 as numeric),3)  --> 41.025
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: CarlosRuiz

79265433

Date: 2024-12-09 15:03:34
Score: 4
Natty:
Report link

In Netbeans 20, you can set the verbosity level in the GUI

setting ant verbosity

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

79265432

Date: 2024-12-09 15:02:34
Score: 2
Natty:
Report link

This might be more pythonic way:

list1.index(list1[-1])

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

79265431

Date: 2024-12-09 15:02:34
Score: 1
Natty:
Report link

This works: apiVersion: apps/v1 kind: Deployment metadata: name: postgres spec: replicas: 1 selector: matchLabels: app: postgres template: metadata: labels: app: postgres spec: containers: - name: postgres image: postgres:17 imagePullPolicy: "IfNotPresent" ports: - containerPort: 5432 envFrom: - configMapRef: name: postgres-config env: - name: PGDATA value: /var/lib/postgresql/data/pgdata volumeMounts: - mountPath: "/var/lib/postgresql/data" name: postgredb volumes: - name: postgredb persistentVolumeClaim: claimName: postgres-pv-claim

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

79265419

Date: 2024-12-09 14:58:32
Score: 3
Natty:
Report link

the best way to get the issue solved is to add 'chromadb-pysqlite3' in your requirements.txt file

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

79265399

Date: 2024-12-09 14:53:31
Score: 1.5
Natty:
Report link
Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Zeq

79265386

Date: 2024-12-09 14:50:30
Score: 2
Natty:
Report link

I have created the directory "public/storage" manually. Then "php artisan storage:link" always showed me the error "Link already exists". And in browser I saw error 403. When I deleted the directory "storage" and used "php artisan storage:link" again, it started to work. I was using local server (XAMPP package) and Windows 10.

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

79265383

Date: 2024-12-09 14:49:30
Score: 2
Natty:
Report link

I had the same error and was able to fix it by changing the open statement on file "/usr/griddb-5.5.0/bin/util.py", from "open(path, 'rU')" to "open(path, 'r')", as described https://github.com/griddb/griddb/issues/456.

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

79265378

Date: 2024-12-09 14:47:29
Score: 3
Natty:
Report link

does this approach (training the model so many times) makes the model computationally expensive? Because you have to train the model if you make 100 predictions for example 100 times or 25 if you make 4 predictions at a time

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Γιωργος Σκουλας

79265375

Date: 2024-12-09 14:46:29
Score: 1.5
Natty:
Report link

Turned easy in several steps:

a[1, :] *= 2
a[2, :] *= 2
result = np.sum(a, axis=0)
result = const * result
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: IzaeDA

79265351

Date: 2024-12-09 14:41:28
Score: 0.5
Natty:
Report link

I have found a solution to this. Instead of add & in braces block, it needs to be added without it then it works as expected.

@mixin theme($category, $token, $property, $state: false) {
  @each $theme-name, $theme-map in $themes {
    $value: getthemevalue($category, $token, $theme-name);

    @at-root {
      .#{$theme-name} & {
        #{$property}: #{map-get($color-tokens, $value)};
      }
    }
  }
}
Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Twinkle

79265346

Date: 2024-12-09 14:39:27
Score: 2
Natty:
Report link

As provided by derHugo THANK YOU!!!!

theAngle = Mathf.MoveTowards(theAngle, EndAngle, lerpSpeed * Time.deltaTime);
Reasons:
  • Blacklisted phrase (0.5): THANK YOU
  • Low length (1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Mike The Elf

79265345

Date: 2024-12-09 14:38:27
Score: 1.5
Natty:
Report link

Certainly you did pip install spire to install the module, you need to install Spire.Pdf like this: pip install Spire.Pdf

error when spire is installed wrongly

I used to have this same error, but after I went through the installation guide on the PyPi page, it fixed the error.

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

79265341

Date: 2024-12-09 14:38:27
Score: 1
Natty:
Report link

This is a cleanup function to properly manage the timer. Without this the logic in your useEffect may re-run before the previous timer has been cleared. So if timers run in parallel you may see rapid increments in your count. And it also causes memory leak.

And also, you're not returning the value from the cleartimeout, but returning it as a cleanup function for the useEffect.

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

79265317

Date: 2024-12-09 14:30:24
Score: 4
Natty: 5
Report link

Check this thread out. Shift+right click gives you the option to cascade windows for one program. https://superuser.com/questions/158243/how-to-tile-or-cascade-windows-of-an-individual-program

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

79265314

Date: 2024-12-09 14:30:24
Score: 4
Natty: 4.5
Report link

this should have been fixed in glibc 2.28

ref: Bug 1871385 - glibc: Improve auditing implementation (including DT_AUDIT, and DT_DEPAUDIT)

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

79265311

Date: 2024-12-09 14:29:23
Score: 4
Natty: 4.5
Report link

I used this github repo to send command to Alexa https://github.com/adn77/alexa-cookie-cli bundle with this shell script https://github.com/thorsten-gehrig/alexa-remote-control

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

79265308

Date: 2024-12-09 14:28:22
Score: 1
Natty:
Report link

Annotation class with one of:

@Getter(onMethod_ = @JsonGetter) 
@Getter(onMethod_ = @JsonProperty)
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Marcus Voltolim

79265286

Date: 2024-12-09 14:21:21
Score: 1.5
Natty:
Report link

is not null helps the null state analyzer track nullability, != null only checks at runtime. Therefore, pattern matching can prevent null reference exceptions, particularly in LINQ chains where null state tracking is important. Pattern matching verifies null safety throughout the entire chain.

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

79265285

Date: 2024-12-09 14:21:20
Score: 4
Natty:
Report link

As Mentioned by the @guillaume blaquiere solution for this is BigLake. For more details refer to this documentation. And also you can load all the parquet files from cloud storage to BigQuery. Check in this link to load parquet files.

Posting the answer as community wiki for the benefit of the community that might encounter this use case in the future.

Feel free to edit this answer for additional information

Reasons:
  • Blacklisted phrase (1): this document
  • Blacklisted phrase (1): this link
  • No code block (0.5):
  • User mentioned (1): @guillaume
  • Low reputation (0.5):
Posted by: PUTHINEEDI RAMOJI RAO

79265281

Date: 2024-12-09 14:20:20
Score: 0.5
Natty:
Report link

I try to copy and paste all the file you provided and did some editing, so the extension is loaded.

As shown in the following figure, the console.log are successfully processed, tho it doesn't return the actual replacedText because you don't provide the file.

enter image description here

// manifest.json
{
  "name": "SearchNow",
  "description": "Search ServiceNow",
  "manifest_version": 3,
  "version": "0.9",
  "background": {
    "service_worker": "background-simplified.js",
    "type": "module"
  },
  // "icons": {
  //   "16": "icons/SNow16.png",
  //   "24": "icons/SNow24.png",
  //   "32": "icons/SNow32.png",
  //   "48": "icons/SNow48.png",
  //   "128": "icons/SNow128.png"
  // },
  // "action": {
  //   "default_icon": {
  //     "16": "icons/SNow16.png",
  //     "24": "icons/SNow24.png",
  //     "32": "icons/SNow32.png"
  //   },
  //   "default_title": "Click for advanced search options",
  //   "default_popup": "popup.html"
  // },
  "content_scripts": [
    {
      "matches": [
        "http://*/*",
        "https://*/*",
        "file:///*/*"
      ],
      // "css": [
      //   "styles.css"
      // ],
      "js": [
        "content-script-hyperlinker.js"
      ],
      "run_at": "document_end"
    }
  ],
  // "options_ui": {
  //   "page": "options.html",
  //   "open_in_tab": true
  // },
  "permissions": [
    "activeTab",
    "alarms",
    "tabs",
    "scripting",
    "storage",
    "contextMenus"
  ],
  "host_permissions": [
    "<all_urls>"
  ],
  "commands": {
    "autoSearch": {
      "suggested_key": {
        "default": "Ctrl+Shift+1"
      },
      "description": "AutoSearch selected text"
    },
    "autoNav": {
      "suggested_key": {
        "default": "Ctrl+Shift+2"
      },
      "description": "Automatically navigate to selected record"
    }
  }
}
// background-simplified.js

// import { autoNav } from './handlers/autoNav.js';
// import { autoSearch } from './handlers/autoSearch.js';
// import { constructUrl } from './utils/urlConstructor.js';
// import * as eventListeners from './eventListeners.js';
// import * as regexPatterns from './utils/regexPatterns.js';

/* jshint esversion: 6*/

// Initialize event listeners
// eventListeners.setupEventListeners();

// Create context menu entries
chrome.runtime.onInstalled.addListener(() => {
  chrome.contextMenus.create({
    id: 'autoNav',
    title: 'Open "%s"',
    contexts: ['selection']
  });

  chrome.contextMenus.create({
    id: 'autoSearch',
    title: 'Search ServiceNow for "%s"',
    contexts: ['selection']
  });
});

// Handle message passing with content script
chrome.runtime.onMessage.addListener((request, sender, sendResponse) => {
  if (request.action === 'getRegexPatterns') {
    sendResponse({ regexPatterns: '' });
  } else if (request.action === 'constructUrl') {
    // const url = constructUrl(request.base, request.path, request.query);
    sendResponse({ url: '' });
  }
});

// Handle context menu item clicks
chrome.contextMenus.onClicked.addListener((info, tab) => {
  // if (info.menuItemId === 'autoNav') {
  //   autoNav(info, tab);
  // } else if (info.menuItemId === 'autoSearch') {
  //   autoSearch(info, tab);
  // }
  console.log('contextMenus')
});

// content-script-hyperlinker.js

console.log('Content script loaded.');

runner();

function hyperlinkMatches(node, regexPatterns) {
  if (node.nodeType === Node.TEXT_NODE) {
    let text = node.nodeValue;
    let replacedText = text;

    console.log('Original text:', text);

    for (const [patternName, regex] of Object.entries(regexPatterns)) {
      replacedText = replacedText.replace(new RegExp(regex), (match) => {
        chrome.runtime.sendMessage(
          {
            action: 'constructUrl',
            base: 'https://gsa.servicenowservices.com',
            path: '/nav_to.do',
            query: match
          },
          (response) => {
            const url = response.url;
            console.log(`Match found: ${match}, URL: ${url}`);
            return `<a href="${url}" target="_blank">${match}</a>`;
          }
        );
      });
    }

    console.log('Replaced text:', replacedText);
    if (replacedText !== text) {
      console.log('Replaced text:', replacedText);
      const span = document.createElement('span');
      span.innerHTML = replacedText;
      node.parentNode.replaceChild(span, node);
    }
  } else if (node.nodeType === Node.ELEMENT_NODE && node.nodeName !== 'SCRIPT' && node.nodeName !== 'STYLE') {
    for (let child = node.firstChild; child; child = child.nextSibling) {
      hyperlinkMatches(child, regexPatterns);
    }
  }
}

function runner() {
  console.log('Document loaded, starting hyperlinking process.');
  chrome.runtime.sendMessage({ action: 'getRegexPatterns' }, (response) => {
    const regexPatterns = response.regexPatterns;
    hyperlinkMatches(document.body, regexPatterns);
  });
}



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

79265280

Date: 2024-12-09 14:20:20
Score: 2
Natty:
Report link

SHM_RND (rounding off address to SHMLBA)

void * shmat(int shmid, const void *shmaddr, int shmflg)

If shmaddr is not NULL and SHM_RND is specified in shmflg, the attach is equal to the address of the nearest multiple of SHMLBA (Lower Boundary Address).

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

79265271

Date: 2024-12-09 14:17:19
Score: 1
Natty:
Report link

For newer versions of Jetty plugin (>=11):

...
<configuration>                 
    <!-- to redeploy hit enter in the console-->
    <scan>0</scan>      
</configuration>
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: embuc

79265269

Date: 2024-12-09 14:15:18
Score: 1
Natty:
Report link
  1. Caret (^) Name: Caret Range Specifier Purpose: Allows updates to the minor and patch versions, but not the major version. Usage: "parcel": "^2.9.3" This will update to any newer version that is compatible with the major version (e.g., 2.9.4, 2.10.0), but it will not upgrade to 3.0.0.
  2. Tilde (~) Name: Tilde Range Specifier Purpose: Allows updates to the patch version only, but not the minor or major versions. Usage: "parcel": "~2.9.3" This will update to any patch version within the same minor version (e.g., 2.9.4, 2.9.5), but will not update to 2.10.0. In summary: Caret (^): Allows updates to minor and patch versions. Tilde (~): Allows updates to patch versions only.
Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: it's me

79265253

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

I understand from your question that you asked for differences between software physical and logical specification (not physical and logical data models).

Let's dive into software physical and logical specification;

Refers to the hardware aspects of the system which includes how the software operates in a physical environment. For example, hardware requirements (processor, memory, storage), system config (os, network), and compatibility (supported hardware, third-party integrations).

For instance, a mobile app requires at least 4 GB RAM to run efficiently.

It refers to the abstract design aspects of the software, focusing on its functionality and behavior. For example, functional requirements (Features, expected behaviors), data model (database schema, attributes, relationships), process flows (user journeys, workflows).

For instance, a web app that processes customer orders and update inventory database

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

79265247

Date: 2024-12-09 14:09:17
Score: 0.5
Natty:
Report link

Turned out that, it was never socket issue. GSON was unable to parse callback at the second index, marking that null.

Log.d("hello","helloTesting::"+new Gson().toJson(args));

seems like functions are not serlizables as Objects or other primitives in Java

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
Posted by: Zain Ul Abideen

79265246

Date: 2024-12-09 14:08:16
Score: 0.5
Natty:
Report link

in yup version 1.4.0 I solve this by yup.array(yup.string().defined())

accepts empty array and array of strings

Reasons:
  • Low length (1):
  • Has code block (-0.5):
Posted by: Amir Rezvani

79265244

Date: 2024-12-09 14:08:16
Score: 2
Natty:
Report link

Issue is resolved! If somebody has the same issue: After the whole sync I had to manually trigger the button "Refresh Fabric Tables" After couple of minutes, the tables were created in MS Fabric.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: J-V-D-A

79265240

Date: 2024-12-09 14:08:16
Score: 1
Natty:
Report link

In react go to vite.config.ts or js file and change port 3000 to 3001

server: {port: 3000, to 3001 proxy},

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

79265238

Date: 2024-12-09 14:07:16
Score: 3
Natty:
Report link

you don't need to specify createdAt or updatedAt when you are already doing that at the database level.

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

79265231

Date: 2024-12-09 14:06:15
Score: 1.5
Natty:
Report link

JSZip as of v3 supports blob as file content.

Usage:
zip.file("image.png", blob); 
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Hakan

79265227

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

Instead of GetSystem, use GetSystemInfo. GetSystemInfo gets the current value of system information without requiring a license.

HOperatorSet.GetSystemInfo("is_license_valid", out var info);
Console.WriteLine("License check returns: " + info.S);
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Jos Ke 79

79265214

Date: 2024-12-09 14:01:14
Score: 4.5
Natty:
Report link

How does the object from your viewcontext look like? Is the navigation property being delivered as an expand property directly or do you manually have to request it at a later point?

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): How do
  • Low reputation (0.5):
Posted by: schuckspecht

79265207

Date: 2024-12-09 13:59:14
Score: 0.5
Natty:
Report link

Give the permissions:

GRANT ALL PRIVILEGES ON my_db.* TO 'my_user'@'10.55.1.98' IDENTIFIED BY 'password';
FLUSH PRIVILEGES;

Test with Command Line Again with properly connecting:

mysql -u my_user -p -h 10.55.1.95 -P 3306 my_db
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Developer Nilesh

79265202

Date: 2024-12-09 13:57:13
Score: 4
Natty: 5.5
Report link

What about:

if (realpath(__FILE__) == realpath($_SERVER['SCRIPT_FILENAME'])) {
    // code..
}

for simple stuff?

Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): What
  • Low reputation (1):
Posted by: BlackCatDevel0per

79265201

Date: 2024-12-09 13:56:12
Score: 0.5
Natty:
Report link

In SSMS you can select multiple Jobs to be "extracted" into a single script:

  1. In "Object Explorer" select "Jobs":

Jobs folder selected in Object Explorer

  1. Press "F7" to open "Object Explorer Details" (you can also open it via View->Object Explorer Details):

Job list in Object Explorer Details

  1. Select all of the Jobs you want to export and right click to bring up a pop up menu. Select "Script Job As" and so on.

enter image description here

P.S. This trick works for many things

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

79265196

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

If there are multiple beans that match the criteria of injecting a dependency then Spring will through an error. It won't pick one on its own. There are several ways of defining criteria like using specific type instead of a generalized one or using @Qualifier or @Primary etc. but if no preference can be calculated based on all the available criteria then this is broken configuration and must be fixed.

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

79265194

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

Simplified version of @m-sarabi code.
func allows to return result, so no messaging is needed. Requires scripting, activeTab (+ contextMenus for menu) permissions

// background.js
  chrome.scripting.executeScript({
    target: { tabId: tab?.id || 0 },
    func: () => document?.getSelection?.()?.toString()
  }).then(result => {
    doWork(result[0].result)
  })
Reasons:
  • Has code block (-0.5):
  • User mentioned (1): @m-sarabi
  • Low reputation (0.5):
Posted by: Kirill

79265192

Date: 2024-12-09 13:50:10
Score: 2.5
Natty:
Report link

I got the warning "LNK4098: defaultlib 'libcmt.lib' conflicts with ..." I just added /NODEFAULTLIB:libcmt.lib under the property page Linker\Command Line\Additional Options. The warning vanished and the program worked.

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

79265187

Date: 2024-12-09 13:49:09
Score: 7 🚩
Natty: 5.5
Report link

I am having a similar problem: I want to specify a sequence of dependencies for my jobs, e.g.:

ArrayA=$(sbatch --array=1-100 a.sh)
ArrayB=$(sbatch --array=1-1000 --dependency=aftercorr:[$ArrayA_0, $ArrayA_0, ..., $ArrayA_99] b.sh)

(With 997 more jobs on the dots, in this case the first 10 jobs of B wait for the first job of A, next ten on the second...)

But Slurm does not seem to want to allow this?

Reasons:
  • Blacklisted phrase (1): I am having a similar problem
  • RegEx Blacklisted phrase (1): I want
  • Has code block (-0.5):
  • Me too answer (2.5): I am having a similar problem
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: P. Rick

79265183

Date: 2024-12-09 13:47:08
Score: 1.5
Natty:
Report link

Starting with Chrome 115, TWAs can utilize postMessage to communicate between the web and native app at runtime.

See the official docs here: https://developer.chrome.com/docs/android/post-message-twa

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

79265179

Date: 2024-12-09 13:46:07
Score: 8.5 🚩
Natty: 5.5
Report link

By any chance did you find a solution to this issue?

Many thanks

Reasons:
  • Blacklisted phrase (0.5): thanks
  • RegEx Blacklisted phrase (3): did you find a solution to this
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Nawel Mele