Unable to connect Backend on other network

I am making a group project in which one member doing Frontend and I am doing Backend . I what that using my IP he connect with Backend
When my laptop and his laptop both are in same network and I add his IP in cors then it works but when he is on different , he is unable to communicate with my Backend

My backend is in Node.js & Express.js

I am in ubuntu so I allow my port from firewall using

sudo ufw allow 8080

also use differant cors options like,

app.use(cors({
  origin: '*',
  methods: ['GET', 'POST', 'PUT', 'DELETE', 'OPTIONS'],
  allowedHeaders: ['Content-Type', 'Authorization']
}))

and

app.use(cors())

and I listen on 0.0.0.0

const server = app.listen(PORT, '0.0.0.0', () => {
   console.log(`Server started on port ${PORT}`);
});

but still my friend is unable to access my Backend . I want to make it universal , means who enter my ip and port he can access like : 192.168.xx.xxx:8080/

Chartjs: Connect canvas background image and chart (type: ‘scatter’) so that data points remain in same spot on image?

I have successfully created a canvas background image plugin for a Chart.js chart, as shown here.

It is better at staying in place than a css background image, however, when the window is resized, the data points end up in different spots relative to the image. Is there any way to make the chart change size at the same rate as the image, so that the data points stay put relative to the image?

I’ve tried changing the ‘responsive’ and ‘maintainAspectRatio’ settings, but they don’t seem to make a difference in this regard.

My custom plugin is as shown at the link above:

const custplugin = {
  id: 'custplugin',
  beforeDraw: (chart) => {
    if (image.complete) {
      const ctx = chart.ctx;
      const {top, left, width, height} = chart.chartArea;
      const x = left + width / 2 - image.width / 2;
      const y = top + height / 2 - image.height / 2;
      ctx.drawImage(image, x, y);
    } else {
      image.onload = () => chart.draw();
    }
  }
};

Thanks for any help.

How to invoke durable function activity from within a callback function?

I’m trying to consume messages from kafka topic using Azure durable function and as the new messages arrive I want to invoke the activity function to process the messages. The problem here is that the callback function isn’t able to access the context and other local variables which are needed to invoke the activity function.

Please suggest if I’m dong it correctly and if there are any better/alternate approaches.

Here is my function code:

/* the orchestrator is invoked by a timer trigger */
/* using kafka javascript SDK (@confluentinc/kafka-javascript) to create a consumer */

const kafkaConsumerOrchestratorName = 'kafka_consumer_orchestrator';
const kafkaConsumerActivityName = 'kafka_consumer_activity';

df.app.orchestration(kafkaConsumerOrchestratorName, function* (context) {
    yield kafkaService.consumer.run({
        eachMessage: async ({ topic, partition, message }) => {
            /* context not accessible here */
            yield context.df.callActivity(kafkaConsumerActivityName, { topic, partition, message });
        }
    });
});

df.app.activity(kafkaConsumerActivityName, {
    handler: async (input, context) => {
        /* process messages */
        console.log(input);
    }
});

How to stop autoplay video with mutationObserver in YT

okay I am trying to stop autoplay youtube video after loading, using mutationobserver from JS.

The problem is the Youtube is a SPA(single page application). Due to which, if I stop the mutationobserver after pausing the first video video.pause(). I need to refresh page manually after switching to another video.
And if don’t stop after first excution i can’t play any video at all. Everytime I play a video mutation obserser notice & call function to execute video.pause().

Q. Can we use mutationObserver to check if ytb-watch-video-id has been changed. coonsidering if this change means page changed & call the function to pause autoplay?

<video tabindex="-1" class="video-stream html5-main-video" controlslist="nodownload" style="..." ytb-watch-video-id="S...s" ytb-miniplayer-video src="blob:https://www.youtube.com/...2b"></video>

How to contribute to a project where the repository only contains .patch files?

I’m trying to contribute to Zen Desktop (a browser based desktop environment, dev branch), but the repository only contains .patch files across all branches : no original .js/.css source files. For example:

src/browser/components/panelUI.css.patch  
src/browser/themes/shared/tabs.css.patch  

I do see .css and .js files but with .patch at the end and this is same everywhere.

I read the contribution and installation guidelines but I do not any explicit documentation on patch management.

How should I set up a development environment if the repo only provides patches? Are there any commands that I need to execute before I can start contributing?

Link: https://github.com/zen-browser/desktop

Grateful if any of you can help me!

ExpressJS Res.Download() Not Sending File to Download

I am trying to download the file from expressjs backend using Axios. The file is of size 1kB but on attempting to download it every time, I am getting 17 bytes file that does not open.

Here is my backend code:

const __dirname = path.resolve();

app.get("/download", function(req, res, next) {

        const dirPath = `${__dirname}/images/${req.query.dir}/output`;

        let files = fs.readdirSync(dirPath);

        res.download(`${dirPath}/${files[0]}`);

        res.status(200).send("Download complete");
});

And my frontend code is:

axios({
      url: `http://example.com/download?dir=${someDir}`,
      method: "GET",
      responseType: "blob"
    })
      .then(res => {
        //console.log(res.data);
        const href = URL.createObjectURL(res.data);
        //console.log(href);
        
        const link = document.createElement("a");
        link.href = href;
        link.setAttribute("download", output.jpeg);
        document.body.appendChild(link);
        link.click();

        document.body.removeChild(link);
        URL.revokeObjectURL(href);
      })
      .catch(er => console.log(er));

I am puzzled to find the root cause of this. Help on this appreciated

Why isn’t my react front end displaying anything?

I wanted to create a DisplayItems page which takes a GET method (in this case, dummy information from "http://localhost:8000/itemTest") and returns a table with the information with a radio button which allows you to pick which item you would like to bid on. This code used to work correctly but since adding a database to my front end, the code no longer works.

import React, { useState, useEffect } from "react";
import { useLocation, Link } from "react-router-dom";
import axios from "axios";

const DisplayItems = () => {
  const [items, setItems] = useState([]);
  const [filteredItems, setFilteredItems] = useState([]);
  const [loading, setLoading] = useState(true);
  const [error, setError] = useState(null);
  const [selectedItemId, setSelectedItemId] = useState(null);

  const location = useLocation();
  const searchParams = new URLSearchParams(location.search);
  const searchQuery = searchParams.get("search") || "";

  useEffect(() => {
    axios
      .get("http://localhost:8000/itemTest")
      .then((response) => {
        console.log("API Response:", response.data);
        setItems(Array.isArray(response.data.item) ? response.data.item : []); // Ensure items is an array
        setLoading(false);
      })
      .catch((err) => {
        console.error("Error details:", err);
        setError(err.response?.data?.message || "Error fetching items");
        setLoading(false);
      });
  }, []);

  useEffect(() => {
    if (!searchQuery) {
      setFilteredItems(items);
    } else {
      const filtered = items.filter((item) =>
        item.name?.toLowerCase().includes(searchQuery.toLowerCase()) // Handle cases where name might be undefined
      );
      setFilteredItems(filtered);
    }
  }, [searchQuery, items]);

  const handleRadioChange = (id) => {
    setSelectedItemId(id);
  };

  if (loading) {
    return <p>Loading items...</p>;
  }

  if (error) {
    return <p>{error}</p>;
  }

  return (
    <div className="form-container">
      <h2>Display Items</h2>
      <div>
        {items.length > 0 ? (
          <table>
            <thead>
              <tr>
                <th>Select</th>
                <th>Name</th>
                <th>Description</th>
                <th>Price</th>
              </tr>
            </thead>
            <tbody>
              {filteredItems.map((item) => (
                <tr key={item.id}>
                  <td>
                    <input
                      type="radio"
                      name="bidSelection"
                      checked={selectedItemId === item.id}
                      onChange={() => handleRadioChange(item.id)}
                    />
                  </td>
                  <td>{item.name}</td>
                  <td>{item.itemdescription}</td>
                  <td>${item.price}</td>
                </tr>
              ))}
            </tbody>
          </table>
        ) : (
          <p>No items found.</p>
        )}
      </div>
      {selectedItemId && (
        <div>
          <Link to={`/forward/${selectedItemId}`}>
            <button>Bid</button>
          </Link>
        </div>
      )}
    </div>
  );
};

export default DisplayItems;

I have tried using "http://localhost:8000/itemTest" whose data is:

[{"id":"1","name":"bike","itemdescription":"This is a bicycle, used for transportation.","startingprice":"19.99","price":"19.99","highestbidderid":"","image_url":"http://example.com/sample-image.jpg"},{"id":"2","name":"paper","itemdescription":"a lovely piece of paper.","startingprice":"1.99","price":"1.99","highestbidderid":"","image_url":"http://example.com/sample-image.jpg"}]

I have checked my data initialization as well:

app.add_middleware(
    CORSMiddleware,
    allow_origins=["*"],
    allow_credentials=True,
    allow_methods=["*"],
    allow_headers=["*"],
)

class ItemCreate(BaseModel):
    itemdescription: str
    name: str
    price: float
    shippingprice: float
    endtime: datetime
    startingprice: float
    valid: bool
    action_type: str
    id: int

I have tried to debug this code for hours, but I cannot find why it was once working fine, and now it doesn’t.

this is not working for high to low using sort

useEffect(() => {
  //for duration
  if (
    filtering?.durationInMinutes &&
    selectedFilterItems.find((item) => item.type === 'durationInMinutes')
      ?.code !==
      `${filtering?.durationInMinutes?.from || '-'}${
        filtering?.durationInMinutes?.to
      }`
  ) {
    setSelectedFilterItems((prev) => {
      prev = prev.filter((items) => items.type !== 'durationInMinutes');
      return [
        ...prev,
        {
          displayItem: (
            <span className="flex items-center gap-2">
              {!!filtering?.durationInMinutes?.from && (
                <span className="flex items-center gap-2">
                  from{' '}
                  <strong>
                    {convertDuration(filtering?.durationInMinutes?.from)}
                  </strong>
                </span>
              )}{' '}
              {!!filtering?.durationInMinutes?.to && (
                <span className="flex items-center gap-2">
                  {!!filtering?.durationInMinutes?.from ? 'to ' : 'upto '}
                  <strong>
                    {convertDuration(filtering?.durationInMinutes?.to)}
                  </strong>
                </span>
              )}
            </span>
          ),
          type: 'durationInMinutes',
          code: `${filtering?.durationInMinutes?.from || '-'}${
            filtering?.durationInMinutes?.to
          }`,
        },
      ];
    });
  } else if (!filtering?.durationInMinutes) {
    setSelectedFilterItems(
      (prev) =>
        (prev = prev.filter((items) => items.type !== 'durationInMinutes'))
    );
  }

  if (
    (sortType.sort !== 'DEFAULT' &&
      selectedFilterItems.find((item) => item.type === 'sort')?.code !==
        sortType.sort) ||
    selectedFilterItems.find((item) => item.type === 'sort')?.code ===
      sortType.sort
  ) {
    setSelectedFilterItems((prev) => {
      prev = prev.filter((items) => items.type !== 'sort');
      return [
        ...prev,
        {
          displayItem: (
            <span className="flex items-center gap-2">
              Sort by <strong>{sortType.name}</strong>
            </span>
          ),
          type: 'sort',
          code: sortType.sort,
        },
      ];
    });
  } else if (sortType.sort === 'DEFAULT') {
    setSelectedFilterItems(
      (prev) => (prev = prev.filter((items) => items.type !== 'sort'))
    );
  }

i expected this to works both on low to high and high and low

Error on sst deploy Your sst.config.ts has top level imports – this is not allowed

Im upgrading from SST 3.2 to 3.11 but as soon as I use the deploy command, I get the following error: Your sst.config.ts has top level imports - this is not allowed. Move imports inside the function they are used and do a dynamic import: const mod = await import("./mod")

This is my old .config file:

import { settings } from 'path/to/settings';

const type = 'test';

export default $config(settings(type));

I have tried to change the config file like this:

const type = 'test';

export default $config(async () => {
  const { settings } = await import('path/to/settings');
  return settings(type);
});

But I get this error Unexpected error occurred. Please run with --print-logs or check .sst/log/sst.log if available. with an empty log folder.

I have tried to search for documentation on this but I have not been able to find anything. Has anyone experienced something similar when upgrading?

dx-tree-list Data not displaying when using *ngIf to show a dx-select-box conditionally

I’m working with Angular and using the DevExtreme dx-tree-list and dx-select-box components. I want to show the dx-select-box dynamically based on a condition (showAdjustmentBudgetBases), but when I do this, the data in my dx-tree-list no longer displays any data.

Here is the relevant portion of my HTML:

 <dxi-item itemType="group">
    <dx-tree-list height="400" #budgetLock id="departmentListBudgetLocking" 
  [dataSource]="departmentList"
                dataStructure="tree" itemsExpr="items" parentIdExpr="worD_CODE" 
    [showRowLines]="true" 
                [showBorders]="true" [columnAutoWidth]="true" [(selectedRowKeys)]="selectedRowKeys">
    <dxo-selection mode="multiple" [recursive]="true"></dxo-selection>
    <dxo-filter-row [visible]="true"></dxo-filter-row>
    <dxi-column dataField="text" [allowFiltering]="true" caption="Select All"></dxi-column>
  </dx-tree-list>
</dxi-item>

<dxi-item *ngIf="showAdjustmentBudgetBases" itemType="group">
  <dxi-item dataField="adjustmentBudgetBaseId" 
editorType="dxSelectBox"
             [editorOptions]="{dataSource: finyearAdjustmentBudgetBases, displayExpr: 'finyearAdjustmentBudgetBase', valueExpr: 'id', onValueChanged: adjustmentBudgetBaseEvent}">
    <dxi-validation-rule type="required"></dxi-validation-rule>
    <dxo-label [text]="finyearAdjustmentBudgetBaseLabel"></dxo-label>
  </dxi-item>
</dxi-item>

Problem:
When I set showAdjustmentBudgetBases to true, the dxSelectBox is rendered as expected, but the dx-tree-list no longer displays any data (departmentList is empty). If I set showAdjustmentBudgetBases to false, the dx-tree-list shows its data again.

What I’ve tried:
Ensured that departmentList contains data.

Verified that showAdjustmentBudgetBases is set correctly in the component.

Tried changing the order of elements in the HTML.

Used ChangeDetectorRef to manually trigger change detection when the condition changes, but it didn’t resolve the issue.

My Guess:
I suspect the issue is related to how *ngIf is causing Angular to re-render the dx-tree-list when the condition for the dx-select-box changes. This might be disrupting the dx-tree-list’s data binding, but I’m not sure how to prevent this.

Can anyone help me figure out why the dx-tree-list data is not displaying when showAdjustmentBudgetBases is true? How can I conditionally show the dx-select-box without affecting the rendering of the dx-tree-list?

Preventing Exit from Full Screen When Pressing F11 Twice in JavaScript [duplicate]

I’m wondering why I can exit full screen when I have a flag that should prevent the user from pressing F11 twice. Please don’t tell me to use once I just need to know the reason. Fyi this is just an experiment

this.input.keyboard.on('keydown-F11', (event) => {

   event.preventDefault();

   console.log("isTogglingFullScreen: ", isTogglingFullScreen);

   if (!isTogglingFullScreen){

     console.log("toggleFullScreen called");

     isTogglingFullScreen = true;

     this.scale.isFullscreen ? this.scale.stopFullscreen() : 
       this.scale.startFullscreen();
  
    }
       
 });

Is there a solution to Chart.js improperly outputting pie/doughnut charts?

I am making a website which is predominantly for data visualisation, data is selected by the user (who also selects a chart type) and returned with PHP and I’m using Chart.js on the client side to generate the graphs. I’m trying to use as modular an approach as possible for reusability so that I can make different types of graphs with different data with this code.

The problem I have is that whilst most charts, such as line and bubble charts, work just fine pie and doughnut charts do not, instead it just outputs a series of rectangular blocks with numbers.

I apologise using an image of the chart output, I simply don’t know how else to show the chart output and I’ve tried to explain it above – the graph output on the webpage.

This is the code responsible for generating the graph:

function makeChart(ctx, response, selectedColumn) {
    if (myChart) {
        myChart.destroy();
    }
    const chartTypeValue = chartTypeSelect.value;
    const labels = response.map(item => item['Hour']);
    const data = response.map(item => {
        const value = item[selectedColumn];
        return isNaN(value) ? value : parseFloat(value);
    });
    myChart = new Chart(ctx, {
    type: chartTypeValue,
    data: {
      labels: labels,
      datasets: [{
        label: `Data for ${selectedColumn}`,
        data: data,
        backgroundColor: [
            'rgb(255, 99, 132)',
            'rgb(255, 159, 64)',
            'rgb(255, 205, 86)',
            'rgb(75, 192, 192)',
            'rgb(54, 162, 235)',
            'rgb(153, 102, 255)',
            'rgb(201, 203, 207)'
        ],
        }]
    }      
    }
      );
      return myChart;
    }

So I’d like to know how I might go about addressing this.

Thanks for your time and help.

What is the answer for the ask in body [closed]

Background: This problem statement provides the high-level design of the project that has to be implemented as part of the hands-on assessment in order to complete the course Spring Basics.

InfyGo is an airline booking application that provides services to its customers to search for flight details. InfyGo wants a lightweight, loosely coupled application to be implemented using Spring.

Let us start with basic implementation using Spring core concepts for the following functionalities

Add Flight

Search Flight

As part of the Spring Basics course, let us develop the business tier of this application.

Why aren’t these elements dragging and dropping as expected?

I am using Playwright and trying to drag & drop the list at this site into the right order. These locators work as expected, and the drag & drop does work every so often. I have tried dragTo(), a combination of mouse up, down, and hover, and a lot of different selectors. Nothing works consistently. I am urgently preparing for a test, so any help would be appreciated, please don’t mind the sloppy code.

// launch browser and open a new page
const { context } = await launch();
const page = await context.newPage();

// go to sortable list site
await page.goto('https://qaplayground.dev/apps/sortable-list/');

// order list
const correctOrder = [
  'Jeff Bezos',
  'Bill Gates',
  'Warren Buffett',
  'Bernard Arnault',
  'Carlos Slim Helu',
  'Amancio Ortega',
  'Larry Ellison',
  'Mark Zuckerberg',
  'Michael Bloomberg',
  'Larry Page'
];

async function swapItemToIndex(textIndex, listIndex) {
  const correctItem = `div.draggable:has-text('${correctOrder[textIndex]}')`;
  const targetItem = `li[data-index="${listIndex}"]`;
  await page.dragAndDrop(correctItem, targetItem);
}

await swapItemToIndex(0, 0);
await swapItemToIndex(1, 1);

// the elements are not ordered as expected