set focus on iframe contents to allow sound

this is an extension to another question i’ve asked

i want to embed a game on a website and i want it to automaticaly focus on the iframe. but whenever i try anything like iframe.contentWindow.focus() it focuses on the iframe but the iframe doesnt have any sound

the code for the game was written in a special program so the code is all jumbled and hard to comprehend. though i did find a script that can test the audio. what i want is for this to return true.

testAudio(){
  playTestAudio();return _yb1&&g_WebAudioContext&&g_WebAudioContext.state!==_fa1._ga1
}
function playTestAudio() {
  if(_yb1||_zb1)return;
  _zb1=true;
  var _lb1=new Audio(_X91);
  _lb1.controls=false;
  _lb1.autoplay=true;
  _lb1.preload="none";
  document.body.appendChild(_lb1);
  try{
    var _Bb1=_lb1.play();
    if(_Bb1!==undefined) {
      _Bb1.then(function() {
        debug("WebAudio autoplay test passed.");
        _yb1=true;
        _zb1=false;
        _Cb1();
        document.body.removeChild(_lb1)
      }).catch(function(error) {
        console.log("WebAudio autoplay test failed: ",error);
        document.body.removeChild(_lb1);
        _zb1=false;
        _Db1()
      })
    }else {
      console.log("WebAudio autoplay test failed: Playback promise invalid.");
      document.body.removeChild(_lb1);
      _zb1=false;
      _Db1()
    }
  }
  catch(_wC){debug("WebAudio autoplay test failed with exception: "+_wC);
  document.body.removeChild(_lb1);_zb1=false;_Db1()}
}

this is the location of the script file if needed
lacation.scripts.net

Don’t know how to write a specific regular expression

I have a string like this:

“56×74 x567 x7 7889 x97x89xx”.

I need to leave everything except the letter x, which has a left empty space involved. It has to be done by the Match method.
I was trying to do it, but it has not worked at all.
Please, help me.
The result should look like this:

“56×745677 788997x89xx”.

Having a varible in regex?

Hi I have the following code

    const containsAtLeastDigits = (digits, password) => {
  
  const regex = new RegExp(/(?=.{6}).*/g);

  if (regex.test(password)) {
    console.log("yes");
    return false;
  } else {
    console.log("no");
  }
};

containsAtLeastDigits(6, "abcdefg");

Here I have to pass the parameter digits where {6} is defined in regex as interpolation like this ${digits}. Can someone please explain if this is possible to do? I saw a few answers in StackOverflow itself but they are not working.

Using react-select with multiple inputs

I have multiple react-select inputs, each have their own separate options array. The issue i’m having is I’m now sure how to properly store the output of each select input.

I want to use this select output to POST to my backend but i’m unsure how to do it all with a single handler function.

This is what I have so far, i have 2 paragraphs to just output the appropriate result from the select fields but i can’t seem to get it working.

This is the codesandbox i have:

https://codesandbox.io/s/busy-yonath-rlj9e?file=/src/App.js

Setting React state Asynchronous – React useState hook

I am trying to update 1 quote inside of an array of “quotes”

const [quotes, setQuotes] = useState([]);
const [quoteToUpdate, setQuoteToUpdate] = useState(initialValues);

When I click on a switch (checkbox) I set quoteToUpdate with the quoteToUpdate with the selected quote data, and update the switch from true to false or vice versa.

const onCheckboxChange = async (e, selectedQuote) => {
  setQuoteToUpdate({...selectedQuote, [e.target.name]: e.target.checked});
};

The Problem I’m having is, right after I update the quoteUpdate, I need to send the updated object to the backend to update. But since React state is sync, the quoteToUpdate does not get updated instantly but instead queues up.

What I’ve tried:
I’ve tried putting the onSubmit() function inside a useEffect but it’s clearly not working.

useEffect(() => {
  onSubmit(quoteToUpdate);
}, [quoteToUpdate])

onSubmit looks like this:

const onSubmit = (quoteToUpdate) => {
    axiosWithAuth().put('/quotes/' + quoteToUpdate.id, quoteToUpdate)
      .then((res) => {
        const updatedQuote = res.data;
        setQuotes(quotes.map(quote => (
          quote.id === updatedQuote.id ? {...quote, 'is_complete': updatedQuote.is_complete} : quote
          ))
        );

        const alertContent = `quote updated successfully.`;

        halfmoon.stickyAlerts = document.getElementsByClassName("sticky-alerts")[0]
        halfmoon.initStickyAlert({
        content: alertContent, alertType: "alert-success", title: "Successfully updated"
      })
    }).catch(error => {
      console.log(error.message);
    });
}

In native Javascript (or NodeJS) is it possible to chain object or function properties for a function call?

More of an exercise in ‘what-if’, I was wondering if the following was possible:

output = convert(1200).from('mm').to('inches')

where ‘from’ and ‘to’ are functions (or properties) of ‘convert’ as opposed to the more standard:

    output = convert(1200, 'mm', 'inches')

or:

    output = convert(value = 1200, from = 'mm', to = 'inches')

addendum: I’m guessing the closest would be:

output = convert({ value: 1200, from: 'mm', to: 'inches' });
 
function convert({ value, from, to } = {}){
  // ...do stuff here...
}

Wait for nested loops to finish before returning in javascript [duplicate]

I have a list of objects (say staff_comp_array) whose structure is as follows:

staff_comp_array = [{
    "staff_id": "CEB",
    "competency": [{
        "workflow": "Workflow A",
        "task_competency": ["Workflow_A_Task_1", "Workflow_A_Task_2"]
    }, {
        "workflow": "Workflow B",
        "task_competency": ["Workflow_B_Task_1", "Workflow_B_Task_2"]
    }]
},
{
    "staff_id": "XD",
    "competency": [{
        "workflow": "Workflow A",
        "task_competency": ["Workflow_A_Task_3"]
    }, {
        "workflow": "Workflow B",
        "task_competency": ["Workflow_B_Task_2", "Workflow_B_Task_3"]
    }]
}
]

There is a collection in MongoDB which has definitions for each task competency as follows:

{
    "workflow": "Workflow B",
    "tasks": [{
        "task_id": "Workflow_B_Task_1",
        "task_name": "Loading B",
        "task_abbr": "LB"
    }, {
        "task_id": "Workflow_B_Task_2",
        "task_name": "Planning B",
        "task_abbr": "PB"
    },{
        "task_id": "Workflow_B_Task_3",
        "task_name": "Checking B",
        "task_abbr": "CB"
    },{
        "task_id": "Workflow_B_Task_4",
        "task_name": "Review B",
        "task_abbr": "RB"
    }]
},
{
    "workflow": "Workflow A",
    "tasks": [{
        "task_id": "Workflow_A_Task_1",
        "task_name": "Loading A",
        "task_abbr": "LA"
    }, {
        "task_id": "Workflow_A_Task_2",
        "task_name": "Planning A",
        "task_abbr": "PA"
    },{
        "task_id": "Workflow_A_Task_3",
        "task_name": "Checking A",
        "task_abbr": "CA"
    },{
        "task_id": "Workflow_A_Task_4",
        "task_name": "Review A",
        "task_abbr": "RA"
    }]
}

I need to iterate over each of the objects in staff_comp_array and modify the array such that the result will be as follows:

[{
    "staff_id": "CEB",
    "competency": [{
        "workflow": "Workflow A",
        "task_competency": [{
        "task_id": "Workflow_A_Task_1",
        "task_name": "Loading A",
        "task_abbr": "LA"
     },{
        "task_id": "Workflow_A_Task_2",
        "task_name": "Planning A",
        "task_abbr": "PA"
    }]
    }, {
        "workflow": "Workflow B",
        "task_competency": [{
        "task_id": "Workflow_B_Task_1",
        "task_name": "Loading B",
        "task_abbr": "LB"
    },{
        "task_id": "Workflow_B_Task_2",
        "task_name": "Planning B",
        "task_abbr": "PB"
    }]
    }]
},
{
    "staff_id": "XD",
    "competency": [{
        "workflow": "Workflow A",
        "task_competency": [{
        "task_id": "Workflow_A_Task_3",
        "task_name": "Checking A",
        "task_abbr": "CA"
    }]
    }, {
        "workflow": "Workflow B",
        "task_competency": [{
        "task_id": "Workflow_B_Task_2",
        "task_name": "Planning B",
        "task_abbr": "PB"
    }, {
        "task_id": "Workflow_B_Task_3",
        "task_name": "Checking B",
        "task_abbr": "CB"
    }]
    }]
}
]

Sails is used to access the MongoDB.

staff_comp_array is a long list with around 100 staff. I need to do achieve my above expected output properly. How do I do achieve this with javascript?

fn: async function () {
let staff_comp_array = await StaffCompetency.find({});
staff_comp_array.forEach(function(item){ 
          let temp_competency_list = [];
          item.competency.forEach(function(comp){
              let temp_competency = {};
              let tasks = [];
              let workflow_res = await Workflows.findOne({workflow: comp.workflow});
              comp.task_competency.forEach(function(task){
                tasks.push(workflow_res.tasks.filter(obj => obj.task_id === task)[0]);
              });
              temp_competency['workflow'] = comp.workflow;
              temp_competency['task_competency'] = tasks;
              temp_competency_list.push(temp_competency);
        });
        item.competency = temp_competency_list;
});
return staff_comp_array;
}

Any help would be appreciated!

Thanks

Getting object data from API and then displaying it (React Fetch)

I’m trying to extract the data from this API https://fe-assignment.vaimo.net/ to render the object name. It should be a drone sale item but I cant display it on mapping or such.

I only have to extract this items data and there are no other objects or such in the API. I want to eventually display the product with its image, and all its attributes but I am just trying to extract simple strings from the JSON like the product name.

The result of the above code when ran is simply the heading with no further content. Both console logs return the API data in full. See ComponentDidMount and render

import { render } from "@testing-library/react"
import React from "react"
import "./App.css"
import {useState, useEffect } from 'react'
import axios from 'axios'
import Colors from "./components/Colors"
import DetailsThumb from "./components/DetailsThumb"

class App extends React.Component {
  constructor(props) {
    super(props);
    this.state = {
      items: [],
      isLoaded: false,
    };
  }

  

  componentDidMount() {
    fetch("https://fe-assignment.vaimo.net/")
      .then((res) => res.json())
      .then(data => { console.log(data)
        this.setState({
          isLoaded: true,
          items: data,
        });
      });
  }

  render() {
    let content = null
    var { isLoaded, items } = this.state;
    if (!isLoaded) {
      return <div>Loading..</div>;
    } else {
      console.log(items)
      if (items.data){
        content = items.map((product, key) => <div>{product.name}</div>)
      }
      return (
        <div>
          <h1>The drone page</h1>
          {content}
          </div>
      );
    }
  }
}

export default App;

How to realize … /> in a react-router-dom v6?

I have a modal which depended on a url.

[my modal in jsx][1]    <ModalWindow
                                modalVisible={Boolean(match)}
                                onCloseWindow={this.onCloseWindow}
                                modalContent={modal}
                            />
                        )
                    }}
                />

I am getting an error <A is only ever to be used as the child of element, never rendered directly. Please wrap your in a .>

But i already wrapped all my app in a tag.

export default function AppRouter() {
return (
    <Routes>
        <Route 
            path={"/home"}
            element={<HomeApp />}
        />
        <Route 
            path={"/preview/:id"}
            exact
            element={<HomeApp />}
        />
         <Route
            path={"/fullInfo/:id"}
            exact
            element={<HomeApp />}
         />
        <Route
            path={"*"}
            render={<Navigate to="/home"/>}
        />
    </Routes>
)

}

P.s I am new in a react-router-dom of the new version..

JS onclick button remove it from DOM not working properly when it has a sub-element attached

I have the following html structure:

<div class="input-group mt-3 ms-3" style="max-width: 300px">
  <input type="text" class="form-control form-control-sm" name="search" placeholder="Type something"/>
  <button type="button" class="btn btn-secondary btn-sm btn-clear-search-input" style="width: 50px">
    <i class="fas fa-times"></i>
  </button>
</div>  

And I’d like to remove the button after it has been pressed. The problem is that if the user presses right in the middle of the button (where the <i> is), it only removes the
<i>.

const btnClearSearchInput = document.getElementsByClassName('btn-clear-search-input')[0];
btnClearSearchInput.addEventListener('click', clearSearch);

function clearSearch(event)
{
  event.target.remove();
}

By performing console.log() on event.target and event.srcElement I can see that the the value is related with <i>.

The following JSFiddle illustrates the problem.

enter image description here

How to get difference between two array and push values in form based on result Angular 8

I have two array namely arrayOne and arrayTwo. I want to compare values of both array based on below condition
and if it matches than it will pass data along with form otherwise it will create an empty form.

Below condition i wanted to check in arrayOne and arrayTwo.

if arrayOne processTypeId is equal to arrayTwo of makeProcessTypeId And
arrayOne makeLineName is equal to arrayTwo of makeLineName And
arrayOne processTechType is equal to arrayTwo of processTechType than
If all above conditions are met than only dataOne variable will pass along with form.

 this.itemTypes().push(this.createContinuousForm(item, dataOne));
else it will create an empty form only without pushing dataOne in form.

 this.itemTypes().push(this.createContinuousForm(item)); 

patchDataCollection(arrayOne) {
      if (arrayTwo) {
        for (const dataOne of arrayTwo) {
          if (item.makeLineName == dataOne.makeLineName) {
            if (dataOne.processTechType === 'Continuous') {
              this.itemTypes().push(this.createContinuousForm(item, dataOne));
            }
            if (dataOne.processTechType === 'Batch' || dataOne.processTechType === 'Batch-Crunch') {
              this.itemTypes().push(this.createBatchForm(item, dataOne));
            }           
          }
        }
      } 
  }


createContinuousForm(type, data) {
    return this.fb.group({ 
      minRunLength: [data.minRunLength ? data.minRunLength : '']     
    });
  }

  createBatchForm(type, data) {
    return this.fb.group({  
      avgBct: [data.avgBct ? data.avgBct : '', [Validators.required]]     
    });
  }

  

Sample Response for arrayOne and arrayTwo.

Const arrayOne = [
      {
        "makeLineName": "Red",
        types : [           
             {
                "processTypeId": "102",
                "processTechType": "Batch" 
            }
        ]   
      },
      {
        "makeLineName": "Blue",
        types : [
            {
                "processTypeId": "103",
                "processTechType": "Continuous" 
            }
        ]     
      } 
    ];

Const arrayTwo = 
[     
  {   
    "makeProcessTypeId": 102,
    "makeLineName": "Red",
    "processTechType": "Batch",
    "avgBct": 45,
    "bestBct": 45
  },
  {   
    "makeProcessTypeId": 103,
    "makeLineName": "Blue",
    "processTechType": "Continuous",
    "designProcessCapacity": 250,
    "minRunLength": 250
  }
]; 

add raw string to regex

I am writing a regex where I suppose to add a raw string before the match field, for example here is my regex which I used to assign the name with Sally from the provided text.

Regex: (?'name'Sally) 

text: Call me Sally.

name = Sally

What I want is to add something before Sally, such as

`ABSally` 

or

`12Sally`

within the regex pattern so the name group should hold complete value. How can I achieve this functionality?