How to get fields name dynamically in row of element plus table?

In Laravel 12 / vuejs 33.5.13 / element-plus 2.9.5 app I have a table with dynamic columns in labels array like :

    <el-table :data="items" style="width: 100%"
              :row-class-name="tableRowClassName"
              :header-row-class-name="headerRowClassName"
    >
        <el-table-column label="ID" prop="id"></el-table-column>
        ...

<!--        create dynamic list of columns  -->
        <el-table-column v-for="(label, index) in labels" v-if="labels"
                         :key="label.title_field"
                         :prop="label.value_field"
                         label="Label Text"
                         :min-width="80">
        </el-table-column>


    </el-table>

I found branch Background colors to rows of a element-ui table with pagination in vueJS 2 but failing to render
and I to make in similar way but I do not know how can I refer to column name dynamically, as any row has columns like :

labels_length
item_1_value
item_2_value
item_3_value

and method :

methods: {

    tableRowClassName({row, rowIndex}) {
        for (let i=0;i< row.labels_length;i++) { //
            if(100 < parseInt(row.getFieldValueByName['item_'+i+'_value'])) {
                return 'warning-row-class';
            }
        }

The row var has no any method like getFieldValueByName and I wonder in which way I can get fields name dynamically ?

Screen Orientation Lock

I’m working on a small project in order to learn TS/JS and Pixi JS. And came up with the following problem I cannot find the solution (or, at least, explanation) for.

Per the reference, there is the lock() method for the screen orientation. However, when I try to use it, I get the error TS2339: Property 'lock' does not exist on type 'ScreenOrientation'. in VS Code during the build stage. Moreover, the VS Code‘s drop-down menu doesn’t list the lock() method. However, it provides the unlock() method.

VS Code

Question: How to fix that issue?

Javascript stops working after changing table with Intraweb [duplicate]

I made a small Intraweb program with a HTML template. In Delphi I fill a table with data. When clicking the table the selected row lights up, as per the JS code. When I refill the table the script stops working and the selected line does not light up. Other elements stay working.

Can anyone tell me why this is happening?

<div class="split right">
  {%lPosten%}<br><br><br><br>
</div>

<style>
 .Kies {background-color: rgb(241, 198, 132);}
</style>

<script>
  $('#Posten td').click(function () {
    var k = $(this);
    k.closest("table").find("tr.Kies").removeClass("Kies");
    k.closest("tr").addClass("Kies");

    ajaxCall("LeesRegel", "Params=" + k.closest("tr").attr('ID'))
  });
</script>

Javascript event queue execution order.. Please give the o/p of gthe snippet with reasoning

I have come again with a new code snippet..Please predict the o/p along with the event queue reasoning..i ran the snippet and i know the o/p but i just want to understand the event queue working and what gets higher preference and logs first..

Seems like some people got offended by my last POST .I had just asked for an explanation how the internals of event queue works in that particular code snippet..

Anyways here is the new snippet..

console.log("Start");

setTimeout(() => console.log("Timeout 1"), 0);

async function asyncFunc() {
  console.log("Async Start");
  await new Promise((resolve) => setTimeout(() => resolve(), 0));
  console.log("Async End");
}

asyncFunc();
Promise.resolve().then(() => console.log("Promise 1"));
setTimeout(() => console.log("Timeout 2"), 0);
console.log("End");

Please predict the o/p along with your reasoning.. for the order (microtask queue, callback queue)

Thanks in advance…

Why Is My /users/search Route Being Treated as “:id” of /users/:id in Express.js? [closed]

NOTE: I’m not very good at English, but I’ll try to keep things clear.

I am currently learning Express.js and have covered topics like creating routes, middleware, and express-validators—not too much, just at a beginner level to understand how they work.

I know how to use query validators from express-validator. Initially, I was hardcoding the validation directly in the route, but then I thought of using it as middleware to handle multiple filters. So, I created a function and started using it. The searching and filtering still worked, but my code started to look messy. To improve structure, I moved the query validation logic to a separate file and imported my function from there. That’s when the problem started.

I’ve uploaded the repo to GitHub so you can check it out:
Repo link: Express_Learning

The Issue:

The route is returning an unexpected error that shouldn’t be caused by the filtering logic in my GET /users/search?filterBy=""&value="" route.

After analyzing my code, I realized that my /users/:id route might be interpreting filterBy as :id. I have a condition in my /users/:id route that throws an error { msg: "Provide a valid ID" } if id is NaN. This error is being thrown when calling /users/search, even though that route has nothing to do with id.

I asked ChatGPT, and it suggested that the issue is due to the order of my routes. It recommended placing the /users/search?filterBy=""&value="" route above the /users/:id route.

Can someone explain why this happens?

Trying to create a preview with stimulus doesn’t work in Rails

I am trying to add a preview when uploading an image, and I’ve came across this tutorial:
“Image Previews with Active Storage in Ruby on Rails 7”

I followed every step but I realized that the stimulus connect function is never called. I don’t have any errors in the console, it just doesn’t work.
I’ve tried reinstalling the stimulus but it didn’t worked.

HTML

<div data-controller = "previews">
<%= form.file_field :image, direct_upload: true, data: { previews_target: "input", action: "change->previews#preview"}, class:"form-control" %>

<% if movie.image.attached? %>
    <%= image_tag movie.image, data: { previews_target: "preview"}, class: "image-cover-preview" %>
<% else %>
    <%= image_tag "", data: { previews_target: "preview"}, class: "image-cover-preview" %>
<% end %>

JS

import { Controller } from "@hotwired/stimulus"


export default class extends Controller 
{
  static targets = ["input", "preview"];

  connect() 
  {
    console.log("THIS IS A PREVIEW", this.element);
  }

  preview()
  {
    let input = this.inputTarget;
    let preview = this.previewTarget;
    let file = input.files[0];
    let reader = new FileReader();
reader.onloadend = function()
{
  preview.src = reader.result;
};

if(file)
{
  reader.readAsDataURL(file);
}
else
{
  preview.src = "";
}
  }
}

Scraping a Gamma site and hosting it on Hostinger [closed]

I’m trying to scrape this page: https://digital-dynamo-1txmi5g.gamma.site/ (built with Gamma) and upload it to public_html on Hostinger. However, I encountered issues with images, animations, and responsiveness.

How can I scrape and host the page while preserving images, animations, and responsiveness? Any suggestions?

Here’s what I tried:

  • Save as “Web Page, Complete” – The page breaks (missing images, animations, incorrect layout).

  • DevTools > Save as “HTML only” (mobile version) – The mobile version works, but the desktop one doesn’t.

  • Puppeteer (Node.js) – Same results as “HTML only”.

server page showing cannot find ejs module

i have already installed ejs in my mac terminal but when i m running the project the server page showing cannot find ejs module
anyone knows how to resolve it and i have also done reinstalling ejs , restarting the server , checking node module (dont suggest these methods)
pls suggest some

Server error in different browsers when i use my local server – cors [duplicate]

I am writing and testing a full-stack application. My frontend is uploaded to hosting and has the address for example – planner. And my server is on a local computer with a database. For the test, I run the server through the ngrok tunnel, I registered, and received a free static domain for example – grateful.
In requests, I use axios, I have public requests – $public, and authorized with a token – $auth. Public requests work without problems, but for requests with authorization I get a CORS error. This error is in both desktop Google Chrome and mobile Google Chrome, in Microsoft Edge, and also in Safari on the iPhone.
My CORS ERROR is: cross-origin resource sharing error wildcard origin not allowed


I am sending next code

  1. axios request settings
  2. CORS settings on the server
  3. as well as responses in the Google Chrome browser to an authorized request, as well as the response from the Microsoft Edge browser.

  1. const $auth = axios.create({
    baseURL: “grateful”,
    withCredentials: true,
    });
    const $public = axios.create({
    baseURL: “grateful”,
    withCredentials: true,
    });

    $auth.interceptors.request.use((config) => {
    config.headers.Authorization = Bearer ${localStorage.getItem( "accessTokenPlanner" )};
    return config;
    });

  2. const allowedOrigins = [
    “planner”,
    “grateful”,
    ];

    app.use(
    cors({
    origin: function (origin, callback) {
    if (!origin || allowedOrigins.includes(origin)) {
    callback(null, true);
    } else {
    callback(new Error(“CORS not allowed”));
    }
    },
    credentials: true,
    methods: [“GET”, “POST”, “PUT”, “DELETE”, “OPTIONS”],
    allowedHeaders: [“Content-Type”, “Authorization”],
    })
    );

    app.options(“*”, cors());

3)

Google chrome
access-control-allow-origin: *
content-length: 2906
content-security-policy: default-src 'self' https://cdn.ngrok.com 'unsafe-eval' 'unsafe-inline'; img-src data: w3.org/svg/2000
content-type: text/html
date: Thu, 27 Mar 2025 14:43:11 GMT
referrer-policy:no-referrer
x-content-type-options:nosniff
----
MS Edge
access-control-allow-origin:*
content-length:2906
content-security-policy:default-src 'self' https://cdn.ngrok.com 'unsafe-eval' 'unsafe-inline'; img-src data: w3.org/svg/2000
content-type:text/html
date:Thu, 27 Mar 2025 15:31:51 GMT
referrer-policy:no-referrer
x-content-type-options:nosniff

I checked all the link addresses and rewrote the settings several times.
The most interesting thing is that with these settings that I wrote above, everything works periodically in the desktop version of Google Chrome. But now it doesn’t work anymore, although I didn’t change anything.

How to structure nestjs project [closed]

How to structure an event organization web application?

I’m new to programming projects from scratch, and I’ve started creating an event organization web application. I’m confused about how to divide the functionality.

Application Requirements:

  1. User:

    • Can see upcoming events
    • Can choose an existing group to enroll in
  2. Admin:

    • Can create and manage groups for an event
    • Each group represents an activity for the event (presentation, song, dance, etc.)

My Questions:

  1. What is the right way to define modules for this nestjs project

  2. How to define whick entities shoould i create

I would appreciate any guidance on the architecture and role division for this type of application.

I haven’t started creating modules yet, was a bit scared to mess things up from the start

btFixedConstraint freeze objects

I am trying to ‘freeze objects together’ using Bullet (via JavaScript + Three.JS)

Here is my scene
https://codepen.io/PartyPants2/pen/emYLRPX?editors=0010

Here we see a Merry-go-round simulation, in which 8 horses are generated above a turntable/disc.

a 3d simulation of horses on a Merry-go-round

This GIF illustrates the system working as expected – the 8 horses (instances of bodyA) are frozen-in-place to the turntable/disc (bodyB)

However a problem becomes apparent when the disc (bodyB) has different rotation applied: the horses are being rotated by a factor of bodyB‘s rotation, knocking them off of their target axis.

a 3d simulation of horses on a Merry-go-round has tilted turntable and the horses are being tilted a disproportionally when constraints are activated2

When we turn on the physics, the FixedConstraints activate. Because the constraints are being misconfigured (in some way I am trying to determine) the horses are rotating disproportionately to the turntable.

I have tried every combination of absolute and relative rotations that I can think of (to the point of making an interface to trial different combinations), but the horses never adhere correctly to the turntable.

Here’s a simplified version of my btFixedConstraint implementation

// bodyA = the rigidBody being attached
// bodyB = what bodyA is being attached to
const applyFixedConstraint = (bodyA, bodyB) => {
    const relRotationAB = getRelativeRotation(bodyA, bodyB);
    const relPosBA = getRelativePosition(bodyB, bodyA);
    // FRAME IN A
    const frameInA = new Ammo.btTransform();
    frameInA.setIdentity();
    frameInA.getOrigin().setValue(0, 0, 0);
    frameInB.setRotation(new Ammo.btQuaternion(0,0,0,1)); // i.e. 'none'
    // FRAME IN B
    const frameInB = new Ammo.btTransform();
    frameInB.setIdentity();
    frameInB.getOrigin().setValue(relPosBA.x, relPosBA.y, relPosBA.z); 
    frameInB.setRotation(new Ammo.btQuaternion(relRotationAB.x, relRotationAB.y, relRotationAB.z, relRotationAB.w));
    // RESULT
    const fixedConstraint = new Ammo.btFixedConstraint(bodyA,bodyB,frameInA,frameInB); // this line doesn't "freeze items in the air" like it should
    physicsWorld.addConstraint(fixedConstraint, true);
    return fixedConstraint;
}

btFixedConstraint only has one constructor: new Ammo.btFixedConstraint(bodyA,bodyB,frameInA,frameInB); and since bodyA and bodyB are certain to be correct, only frameInA or frameInB could have the problem…

How can I calculate the correct frameInA and frameInB for freezing objects together using btFixedConstraint ?

Resolving Javascript Modules with importmap not working on android chrome

I have a symfony project with the assetmapper package active. There is an app.js which imports:

import './styles/app.css';
import Wood from "./wood.js";

The gernerated importmap looks like this:

<script type="importmap">
{
    "imports": {
        "app": "/assets/app-g2dctYT.js",
        "/assets/styles/app.css": "data:application/javascript,",
        "/assets/wood.js": "/assets/wood-PRFWpuV.js"
    }
}
</script>

On my Desktop Chrome. Everything works as expected. But on the mobile chrome on my android device (134.0.6998.135) it will try to load the file from /assets/wood.js instead of /assets/wood-PRFWpuV.js. If a manually edit the importmap making it “foo”: “/assets/wood-PRFWpuV.js” and making it import Wood from “foo” accordingly it works. Is there a known issue on chrome Android with this or am I doing something wrong?

Video element shows blank while the media stream is set through srcObject

I know this is a little long code, however, I gave complete code because I really couldn’t find exact cause.
The local view works perfectly, but other’s users shows blank div in chrome.
Please help with this, I’m stuck with this since a week.

And, as I tested, the MediaStream (event.stream) wasn’t null, and is valid.

Full code: https://drive.google.com/file/d/1f2YV5tyXgIiRQV378zIhsDJ03j3EYFnK/view?usp=sharing

import SendIcon from '@mui/icons-material/Send';
import GridLayout from "react-grid-layout";


import "./Video.css"

import ReactPlayer from 'react-player';

const server_url = 'http://localhost:3002/';
const beforeUnloadListener = (event) => {
    //Send something to back end
    // event.preventDefault(); // This is necessary for the confirmation dialog to show in some browsers
    // event.returnValue = 'Are you sure you want to leave?'; // This will show a confirmation dialog
    this.handleDeleteCurrUserFromDB();
    this.handleEndCall();

}



const viewTypes = [
    {
        value: 'Default',
        label: <LabelWithIcon icon={InterpreterModeIcon} text="Default View" />,
    },
    {
        value: 'GridView',
        label: <LabelWithIcon icon={GridViewIcon} text="Grid View" />,
    },

];


class Video extends Component {




    constructor(props) {
        super(props)

        this.myVidRef = React.createRef();
        this.remoteStreamsRef = React.createRef();

        this.videoContainerRef = React.createRef();


        this.localVideoref = React.createRef()

        this.videoAvailable = false
        this.audioAvailable = false

        this.state = {
            video: false,
            audio: false,
            screen: false,
            showModal: false,
            screenAvailable: false,
            messages: [],
            localStream: [],
            streams: [],
            message: "",
            newmessages: 0,
            askForUsername: true,
            username: name,
            gridRows: 1,
            meetLinkPSM: meetLinkPSMt,
            videoType: "Default", // Add this line
            remoteStreams: [],
            forceRenderKey: 0, // Force re-render when needed
            gridLayoutData: [],
            renderReloader: 0,

        }
        connections = {}

        this.getPermissions()




    }

    handleVideoTypeChange = (event) => {
        const selectedType = event.target.value;
        this.setState({ videoType: selectedType }, () => {
            console.log("Selected video type:", this.state.videoType); // Debug log
        });
        this.getUserMedia(); // Call getUserMedia after updating the video type
        console.log("Local video stream:", this.localVideoref.current?.srcObject);
        

    };
    getPermissions = async () => {
        try {
            await navigator.mediaDevices.getUserMedia({ video: true })
                .then(() => this.videoAvailable = true)
                .catch(() => this.videoAvailable = false)

            await navigator.mediaDevices.getUserMedia({ audio: true })
                .then(() => this.audioAvailable = true)
                .catch(() => this.audioAvailable = false)

            if (navigator.mediaDevices.getDisplayMedia) {
                this.setState({ screenAvailable: true })
            } else {
                this.setState({ screenAvailable: false })
            }

            if (this.videoAvailable || this.audioAvailable) {
                navigator.mediaDevices.getUserMedia({ video: this.videoAvailable, audio: this.audioAvailable })
                    .then((stream) => {
                        window.localStream = stream
                        this.localVideoref.current.srcObject = stream
                    })
                    .then((stream) => { })
                    .catch((e) => console.log(e))
            }
        } catch (e) { console.log(e) }
    }
    putfullScreen = (event) => {
        let elem = event.target
        if (elem.requestFullscreen) {
            elem.requestFullscreen()
        } else if (elem.mozRequestFullScreen) { /* Firefox */
            elem.mozRequestFullScreen()
        } else if (elem.webkitRequestFullscreen) { /* Chrome, Safari and Opera */
            elem.webkitRequestFullscreen()
        } else if (elem.msRequestFullscreen) { /* IE/Edge */
            elem.msRequestFullscreen()
        }

    }
    getMedia = () => {
        this.setState({
            video: this.videoAvailable,
            audio: this.audioAvailable
        }, () => {
            this.getUserMedia()
            this.connectToSocketServer()
        })
    }

    getUserMedia = () => {
        if ((this.state.video && this.videoAvailable) || (this.state.audio && this.audioAvailable)) {
            navigator.mediaDevices.getUserMedia({ video: this.state.video, audio: this.state.audio })
                .then(this.getUserMediaSuccess)
                .then((stream) => { })
                .catch((e) => console.log(e))
        } else {
            try {
                let tracks = this.localVideoref.current.srcObject.getTracks()
                tracks.forEach(track => track.stop())
            } catch (e) { }
        }
    }

    getUserMediaSuccess = (stream) => {
        try {
            window.localStream.getTracks().forEach(track => track.stop())
        } catch (e) { console.log(e) }

        setTimeout(() => {
            const videoElem = document.getElementById('my-video');
            if (videoElem) {
                videoElem.srcObject = stream;
                console.log("Video element found, setting srcObject");
            } else {
                console.error("Video element not found in the DOM");
            }
        }, 1000);




        this.setState({ localStream: stream });

        for (let id in connections) {
            if (id === socketId) continue

            connections[id].addStream(window.localStream)

            connections[id].createOffer().then((description) => {
                connections[id].setLocalDescription(description)
                    .then(() => {
                        socket.emit('signal', id, JSON.stringify({ 'sdp': connections[id].localDescription }))
                    })
                    .catch(e => console.log(e))
            })
        }

        stream.getTracks().forEach(track => track.onended = () => {
            this.setState({
                video: false,
                audio: false,
            }, () => {
                try {
                    let tracks = this.localVideoref.current.srcObject.getTracks()
                    tracks.forEach(track => track.stop())
                } catch (e) { console.log(e) }

                let blackSilence = (...args) => new MediaStream([this.black(...args), this.silence()])
                window.localStream = blackSilence()
                this.localVideoref.current.srcObject = window.localStream

                for (let id in connections) {
                    connections[id].addStream(window.localStream)

                    connections[id].createOffer().then((description) => {
                        connections[id].setLocalDescription(description)
                            .then(() => {
                                socket.emit('signal', id, JSON.stringify({ 'sdp': connections[id].localDescription }))
                            })
                            .catch(e => console.log(e))
                    })
                }
            })
        })
    }

    getDislayMedia = () => {
        if (this.state.screen) {
            if (navigator.mediaDevices.getDisplayMedia) {
                navigator.mediaDevices.getDisplayMedia({ video: true, audio: true })
                    .then(this.getDislayMediaSuccess)
                    .then((stream) => { })
                    .catch((e) => console.log(e))
            }
        }
    }

    getDislayMediaSuccess = (stream) => {
        try {
            window.localStream.getTracks().forEach(track => track.stop())
        } catch (e) { console.log(e) }

        window.localStream = stream
        this.localVideoref.current.srcObject = stream

        for (let id in connections) {
            if (id === socketId) continue

            connections[id].addStream(window.localStream)

            connections[id].createOffer().then((description) => {
                connections[id].setLocalDescription(description)
                    .then(() => {
                        socket.emit('signal', id, JSON.stringify({ 'sdp': connections[id].localDescription }))
                    })
                    .catch(e => console.log(e))
            })
        }

        stream.getTracks().forEach(track => track.onended = () => {
            this.setState({
                screen: false,
            }, () => {
                try {
                    let tracks = this.localVideoref.current.srcObject.getTracks()
                    tracks.forEach(track => track.stop())
                } catch (e) { console.log(e) }

                let blackSilence = (...args) => new MediaStream([this.black(...args), this.silence()])
                window.localStream = blackSilence()
                this.localVideoref.current.srcObject = window.localStream

                this.getUserMedia()
            })
        })
    }




    gotMessageFromServer = (fromId, message) => {
        var signal = JSON.parse(message)

        if (fromId !== socketId) {
            if (signal.sdp) {
                connections[fromId].setRemoteDescription(new RTCSessionDescription(signal.sdp)).then(() => {
                    if (signal.sdp.type === 'offer') {
                        connections[fromId].createAnswer().then((description) => {
                            connections[fromId].setLocalDescription(description).then(() => {
                                socket.emit('signal', fromId, JSON.stringify({ 'sdp': connections[fromId].localDescription }))
                            }).catch(e => console.log(e))
                        }).catch(e => console.log(e))
                    }
                }).catch(e => console.log(e))
            }

            if (signal.ice) {
                connections[fromId].addIceCandidate(new RTCIceCandidate(signal.ice)).catch(e => console.log(e))
            }
        }
    }



    connectToSocketServer = () => {
        socket = io.connect(server_url, { secure: false })

        socket.on('signal', this.gotMessageFromServer)

        socket.on('connect', () => {
            socket.emit('join-call', { path: window.location.href, username: this.state.username })
            socketId = socket.id



            // socket.on('chat-message', this.addMessage)
            socket.on('chat-message', (data, sender, socketIdSender) => {
                console.log("Received chat message:", data, "from:", sender, "socketId:", socketIdSender); // Debug log
                this.addMessage(data, sender, socketIdSender);
            });

            socket.on('user-left', (id) => {

                this.state.gridLayoutData = this.state.gridLayoutData.filter(item => item.i !== id); // Remove the user from the grid layout data



                // Force a re-render
                this.forceUpdate();
                let video = document.querySelector(`[data-socket="${id}"]`)
                if (video !== null) {
                    elms--
                    video.parentNode.removeChild(video)

                    // let main = document.getElementById('main')
                    // this.changeCssVideos(main)
                }
            })

            socket.on('user-joined', (id, clients) => {
                clients.forEach((client) => {

                    const socketListId = client.id;
                    socketdmd = socketListId;
                    const username = client.username; // Add this line to get the username


                    this.triggerEventMessage(username + " Joined"); // Call the function with the socketListId and username

                    connections[socketListId] = new RTCPeerConnection(peerConnectionConfig)
                    // Wait for their ice candidate       
                    connections[socketListId].onicecandidate = function (event) {
                        if (event.candidate != null) {
                            socket.emit('signal', socketListId, JSON.stringify({ 'ice': event.candidate }))
                        }
                    }


                    const userExists = this.state.gridLayoutData.some(item => item.i == socketListId);
                    if (!userExists && socketListId !== socketId) {

                        var gridData = {
                            i: socketListId,
                            x: this.state.gridRows,
                            y: 0,
                            w: 2,
                            h: 6,
                            static: true,
                            username: username, // Add the username to the grid data
                        };
                        


                        this.setState((prevState) => {
                            // Check if the user already exists in gridLayoutData

                            const updatedGridLayoutData = prevState.gridLayoutData.map((item) => {
                                if (item.i === socketListId) {
                                    return { ...item, stream }; // Update the stream property
                                }
                                return item;

                            });

                            return { gridLayoutData: updatedGridLayoutData };
                        });
                        console.log("Stream added:", stream); // Debug log






                    };




                    // Add the local video stream
                    if (window.localStream !== undefined && window.localStream !== null) {
                        // alert("Local Stream is not null");
                        connections[socketListId].addStream(window.localStream)
                    } else {
                        // alert("Local Stream is null");
                        let blackSilence = (...args) => new MediaStream([this.black(...args), this.silence()])
                        window.localStream = blackSilence()
                        connections[socketListId].addStream(window.localStream)
                    }
                })

                if (id === socketId) {
                    for (let id2 in connections) {
                        if (id2 === socketId) continue

                        try {
                            connections[id2].addStream(window.localStream)
                        } catch (e) { }

                        connections[id2].createOffer().then((description) => {
                            connections[id2].setLocalDescription(description)
                                .then(() => {
                                    socket.emit('signal', id2, JSON.stringify({ 'sdp': connections[id2].localDescription }))
                                })
                                .catch(e => console.log(e))
                        })
                    }
                }
            })
        })
    };

    silence = () => {
        let ctx = new AudioContext()
        let oscillator = ctx.createOscillator()
        let dst = oscillator.connect(ctx.createMediaStreamDestination())
        oscillator.start()
        ctx.resume()
        return Object.assign(dst.stream.getAudioTracks()[0], { enabled: false })
    }
    black = ({ width = 640, height = 480 } = {}) => {
        let canvas = Object.assign(document.createElement("canvas"), { width, height })
        canvas.getContext('2d').fillRect(0, 0, width, height)
        let stream = canvas.captureStream()
        return Object.assign(stream.getVideoTracks()[0], { enabled: false })
    }

    handleVideo = () => this.setState({ video: !this.state.video }, () => this.getUserMedia())
    handleAudio = () => this.setState({ audio: !this.state.audio }, () => this.getUserMedia())
    handleScreen = () => this.setState({ screen: !this.state.screen }, () => this.getDislayMedia())





    openChat = () => this.setState({ showModal: true, newmessages: 0 })
    closeChat = () => this.setState({ showModal: false })
    handleMessage = (e) => this.setState({ message: e.target.value })

    // addMessage = (data, sender, socketIdSender) => {
    //  this.setState(prevState => ({
    //      messages: [...prevState.messages, { "sender": sender, "data": data }],
    //  }))
    //  if (socketIdSender !== socketId) {
    //      this.setState({ newmessages: this.state.newmessages + 1 })
    //  }
    // }

    addMessage = (data, sender, socketIdSender) => {
        console.log("Adding message to state:", data, sender, socketIdSender); // Debug log
        this.setState(prevState => ({
            messages: [...prevState.messages, { sender, data }],
        }), () => {
            console.log("Updated messages state:", this.state.messages); // Debug log after state update
        });
        if (socketIdSender !== socketId) {
            this.setState({ newmessages: this.state.newmessages + 1 });
        }
    };


    handleUsername = (e) => this.setState({ username: e.target.value })

    sendMessage = () => {
        socket.emit('chat-message', this.state.message, this.state.username)
        console.log("Message sent:", this.state.message, this.state.username)
        this.setState({ message: "", sender: this.state.username })
    }


    connect = () => {
        this.setState({ askForUsername: false }, () => this.getMedia());
        this.updateDataBaseMain();
    }
    handleShowDiagForEnd = () => {
        this.setState({ openDialog: true });
    }



    render() {

        const isMobile = this.isMobileDevice(); // Check if the device is mobile



        return (
            <div>
                {this.state.askForUsername === true ?
                    <div>
                        <div style={{
                            background: "white", width: "30%", height: "auto", padding: "20px", minWidth: "400px",
                            textAlign: "center", margin: "auto", marginTop: "50px", justifyContent: "center"
                        }}>
                            <p style={{ margin: 0, fontWeight: "bold", paddingRight: "50px" }}>Please Type You Name Here!</p>
                            <Input placeholder="Your Name" value={this.state.username} onChange={e => this.handleUsername(e)} />
                            <Button variant="contained" color="primary" onClick={this.connect} style={{ margin: "20px" }}>Connect</Button>
                        </div>

                        <div style={{ justifyContent: "center", textAlign: "center", paddingTop: "40px" }}>
                            <video id="my-video" ref={this.localVideoref} autoPlay muted style={{
                                borderStyle: "solid", borderColor: "#bdbdbd", objectFit: "fill", width: "60%", height: "30%"
                            }}></video>
                        </div>
                    </div>
                    :
                    <div>

                        <LatestEvent eventMessage={this.state.eventMessage} />
                        <div className="btn-down" style={{ position: "fixed", backgroundColor: "gray", color: "whitesmoke", textAlign: "center" }}>
                            <IconButton style={{ color: "#424242" }} onClick={this.handleVideo}>
                                {(this.state.video === true) ? <VideocamIcon /> : <VideocamOffIcon />}
                            </IconButton>

                            <IconButton style={{ color: "#f44336" }} id="btnEC" onClick={this.handleShowDiagForEnd}>
                                <CallEndIcon />
                            </IconButton>

                            <IconButton style={{ color: "#424242" }} onClick={this.handleAudio}>
                                {this.state.audio === true ? <MicIcon /> : <MicOffIcon />}
                            </IconButton>

                            {this.state.screenAvailable === true ?
                                <IconButton style={{ color: "#424242" }} onClick={this.handleScreen}>
                                    {this.state.screen === true ? <ScreenShareIcon /> : <StopScreenShareIcon />}
                                </IconButton>
                                : null}

                            <Badge badgeContent={this.state.newmessages} max={999} color="secondary" onClick={this.openChat}>
                                <IconButton style={{ color: "#424242" }} onClick={this.openChat}>
                                    <ChatIcon />
                                </IconButton>
                            </Badge>
                        </div>

                        <Modal show={this.state.showModal} onHide={this.closeChat} style={{ zIndex: "999999" }}>
                            <Modal.Header closeButton={false}>
                                <Modal.Title>Chat Room</Modal.Title>
                                <CloseIcon style={{ color: "#f44336", cursor: "pointer" }} id="btnEC" onClick={this.closeChat}>
                                </CloseIcon>
                            </Modal.Header>
                            <Modal.Body style={{ overflow: "auto", overflowY: "auto", height: "400px", textAlign: "left" }} >
                                {this.state.messages.length > 0 ? this.state.messages.map((item, index) => (
                                    <div key={index} style={{ textAlign: "left" }}>
                                        <p style={{ wordBreak: "break-all" }}><b>{item.sender}</b>: {item.data}</p>
                                    </div>
                                )) : <p>No message yet</p>}
                            </Modal.Body>
                            <Modal.Footer className="div-send-msg">
                                <TextField id="filled-full-width" variant='filled' fullWidth multiline placeholder="Message" value={this.state.message} onChange={e => this.handleMessage(e)} />
                                <br />
                                <br />
                                <Button onClick={this.sendMessage} variant="contained" endIcon={<SendIcon />}>
                                    Send
                                </Button>
                                {/* <Button variant="contained" color="primary" onClick={this.sendMessage}>Send</Button> */}
                            </Modal.Footer>
                        </Modal>

                        <div className="container">
                            <div className='header'>

                                <div className='left'>


                                    <div style={{ paddingTop: "20px" }}>

                                        <InfoIcon />
                                        <Input value={this.state.meetLinkPSM} disable="true"></Input>
                                        <Button style={{
                                            backgroundColor: "#3f51b5", color: "whitesmoke", marginLeft: "20px",
                                            marginTop: "10px", width: "120px", fontSize: "10px"
                                        }} onClick={this.copyUrl}>Copy invite link</Button>

                                    </div>
                                    <div className='right'>

                                        {!isMobile && (

                                            <TextField
                                                id="outlined-select-currency"
                                                select
                                                className='selectView'
                                                style={{ right: 0 }}
                                                value={this.state.videoType}
                                                onChange={this.handleVideoTypeChange}
                                                variant="outlined"
                                            >
                                                {viewTypes.map((option) => (
                                                    <MenuItem key={option.value} value={option.value}>
                                                        {option.label}
                                                    </MenuItem>
                                                ))}
                                            </TextField>

                                        )}
                                    </div>

                                </div>

                            </div>

                            {/* <Row id="main" className="flex-container" style={{ margin: 0, padding: 0 }}>

                                <br />

                            </Row> */}

                            {this.state.videoType === "GridView" ?

                                <div>



                                    <div style={{ paddingBottom: "80px" }}>
                                        <GridLayout
                                            id="main"
                                            className="layout"
                                            layout={this.state.gridLayoutData}
                                            cols={6}
                                            rowHeight={30}
                                            width={1200}
                                            isResizable={false}
                                            isDraggable={true}
                                        >


                                            <div
                                                key="local"
                                                data-grid={{ i: "local", x: 0, y: 0, w: 2, h: 6 }}
                                                className="video-tile main-video"
                                            >

                                                <video
                                                    id="my-video"
                                                    autoPlay
                                                    ref={this.localVideoref}
                                                    muted
                                                    style={{ width: '100%', height: '100%', objectFit: 'cover' }}
                                                />
                                                <div className="video-label">
                                                    {this.state.username} (You)
                                                </div>
                                            </div>

                                            {this.state.gridLayoutData.map((item) => (
                                                <div
                                                    id={item.i}
                                                    data-grid={{ i: item.i, x: item.x, y: item.y, w: item.w, h: item.h }}
                                                    key={item.i} className="video-container"
                                                >

                                                    <>
                                                        <video
                                                            id={item.i}
                                                            autoPlay
                                                            playsInline
                                                            muted
                                                            style={{ borderColor: "#000", borderStyle: "solid", borderWidth: "1", width: "100%", height: "100%", objectFit: "cover", display: "block" }}
                                                            ref={(videoElement) => {
                                                                if (videoElement && item.stream) {
                                                                    console.log(" Video element found:", videoElement);
                                                                    console.log(" Stream for item:", item.stream);
                                                                    
                                                                    // Set attributes
                                                                    videoElement.setAttribute("data-socket", item.i);
                                                                    videoElement.setAttribute("title", item.username);
                                                                    videoElement.muted = true;
                                                                    videoElement.autoplay = true;
                                                            
                                                                    // If a different stream is set, remove the old one
                                                                    if (videoElement.srcObject !== item.stream) {
                                                                        console.log("Updating srcObject...");
                                                                        videoElement.srcObject = item.stream;
                                                                    }
                                                            
                                                                    // Debugging: Check if the stream actually has video tracks
                                                                    const videoTracks = item.stream.getVideoTracks();
                                                                    if (videoTracks.length === 0) {
                                                                        console.error(" No video tracks found in the stream!");
                                                                    } else {
                                                                        console.log(" Video track found:", videoTracks[0]);
                                                                    }
                                                            
                                                                    // Ensure the video plays when the metadata is loaded
                                                                    videoElement.onloadedmetadata = () => {
                                                                        console.log("Video metadata loaded, attempting to play...");
                                                                        videoElement.play()
                                                                            .then(() => console.log("✅ Video is playing!"))
                                                                            .catch((error) => console.error("⚠️ Video play error:", error));
                                                                    };
                                                            
                                                                    // Extra debugging: Check when a track is added or removed
                                                                    item.stream.onaddtrack = (event) => {
                                                                        console.log(" New track added:", event.track);
                                                                    };
                                                            
                                                                    item.stream.onremovetrack = (event) => {
                                                                        console.log("Track removed:", event.track);
                                                                    };
                                                                }
                                                            }}
                                                            
                                                        ></video>

                                                    </>

                                                </div>
                                            ))}




                                        </GridLayout>
                                    </div>


                                </div>


How to execute code after a call to a function that uses fetch is done? [duplicate]

I have a function that I call that uses fetch:

function fetchData() {
fetch(`${url}`)
    .then(response => response.json())
    .then(json => {
         // use the json to update some UI
        });

    })
    .catch(function (err) {

    })
    .finally(function () {
        
    });
}

Now whenever I fetch this data, I always want to update a certain part of the UI the same way, that’s why I have the json part inside the function:

    .then(response => response.json())
    .then(json => {
         // use the json to update some UI
        });

    })

But I also want to call this function to do other different UI updates depending on where it was called from, for example opening different modals:

function someFunction() {
    fetchData();
    openModal();
}

function someOtherFunction() {
    fetchData();
    openOtherModal();
}

How can I call the second function only after fetchData() is done? Is there a way to “chain” the then() outside?

For example something like:

fetchData().then(openModal());

Or, it’s not possible in the way it’s currently written?