Why does my position:absolute element still mange to take space?

I’m trying to re-create a sort of a dropdown menu with multiple choices when clicked. However, the div i want to appear in position absolute still fill the space by making the div scrollable.

The clickable side is correctly implemented in Js by changing .select_cart_drop display to flex.

The goal would be to stack the drop div on the preview div in the wrapper of both of them.

Here is the code :

.select_cart {
  position: relative;
  width: 70%;
  border: 1px solid lightgray;
}

.select_cart_drop {
  position: absolute;
  */display: none;/*
  flex-direction: column;
  top: 0;
  left: 0;
  width: 100%;
  z-index: 1;
}
<div class="select_cart">
  <div class="cart_checkbox_label">
    <div class="select_cart_container_quantité">Quantité :</div>
  </div>
  <div class="select_cart_drop">
    <div>0 (supprimer)</div>
    <div>1</div>
    <div>2</div>
    <div>3</div>
    <div>4</div>
    <div>5</div>
    <div>6</div>
    <div>7</div>
    <div>8</div>
    <div>9</div>
    <div>10 +</div>
  </div>
</div>

Advices on developing web audio-studio?

I am year1 in university on programming and im doing for my year work an online audio studio.
I want to create site like this https://editor.audio/. I am using chat gpt for guidance and providing me sources. Also im reading books on this topic rn. I decided to use React and JS for my task. Any advices on order of things to do to achive the goal?

Google Maps not working on webBrowser win forms [closed]

I have an HTML file that generates a Map, and I display it inside a WindowsForms application when opening a screen. From one day to the next it stopped working.
I use a Web Browser component.

<!DOCTYPE html>
<html>
<head>
    <meta name="viewport" content="initial-scale=1.0, user-scalable=no">
    <meta charset="utf-8">
    <title>Complex icons</title>
    <style>
        /* Always set the map height explicitly to define the size of the div
        * element that contains the map. */
        #map {
            height: 100%;
        }
        /* Optional: Makes the sample page fill the window. */
        html, body {
            height: 100%;
            margin: 0;
            padding: 0;
        }
    </style>
</head>
<body>
    <div id="map"></div>
    <script>
        var markers = [ {
                                'title': 'Antracnose',
                                'lat': '37.4220936',
                                'lng': '-122.083922',
                                'description': 'Antracnose - Fase: Ovo <br/>Medição: 4.000000'} ];
        function LoadMap() {
            var mapOptions = {
                center: new google.maps.LatLng(markers[0].lat, markers[0].lng),
                streetViewControl: false,
                mapTypeId: google.maps.MapTypeId.SATELLITE
            };
            var infoWindow = new google.maps.InfoWindow();
            var map = new google.maps.Map(document.getElementById("map"), mapOptions);

            //Create LatLngBounds object.
            var latlngbounds = new google.maps.LatLngBounds();

            for (var i = 0; i < markers.length; i++) {
                var data = markers[i]
                var myLatlng = new google.maps.LatLng(data.lat, data.lng);
                var marker = new google.maps.Marker({
                    position: myLatlng,
                    map: map,
                    title: data.title
                });
                (function (marker, data) {
                    google.maps.event.addListener(marker, "click", function (e) {
                        infoWindow.setContent("<div style = 'width:200px;min-height:40px'>" + data.description + "</div>");
                        infoWindow.open(map, marker);
                    });
                })(marker, data);

                //Extend each marker's position in LatLngBounds object.
                latlngbounds.extend(marker.position);
            }

            //Get the boundaries of the Map.
            var bounds = new google.maps.LatLngBounds();

            //Center map and adjust Zoom based on the position of all markers.
            map.setCenter(latlngbounds.getCenter());
            map.fitBounds(latlngbounds);

        }


    </script>
    <script async defer
            src="https://maps.googleapis.com/maps/api/js?key=AIzaSyB9Got42VTh1NwKDSI-GBduOqTvwkKRDS4&v=quarterly&callback=LoadMap">
    </script>
</body>
</html>

Today I use it to generate a temporary HTML file and read this file with the webBrowser.
I tried a few ways to create a map in an API that returned only an address with the generated map to display in the webBrowser, but it didn’t work.
On other occasions, the map stopped being displayed, and after searching a lot, the solution was to change the version of JavaScript in the map, but this time it didn’t work anymore.

How to properly integrate Apache Thrift-generated JavaScript files with Vue 3 and Vite?

I’m building a Vue 3 application that needs to communicate with backend APIs using Apache Thrift. I’ve created a skeleton project (available on GitHub) but I’m struggling with integrating the Thrift-generated files into my Vue 3 environment.

Problem

The Apache Thrift compiler (version 0.21.0) generates JavaScript files in CommonJS format, but my Vue 3 application uses Vite which expects ESM format. I’ve tried various generation options (js, nodejs, es6, and nodejs-es6 combo) without success.

Current workarounds (not ideal)

  • Generated NodeJS files and manually converted them to ES6 format using claude.ai (under srcgen-es6 in my repo)
  • Generated files with js:node,es6 flag and manually modified them (modified files under gen-nodejs in my repo)

Both approaches require manual intervention, which isn’t sustainable for a production application.

Questions

  1. What’s the recommended way to use Thrift-generated JavaScript files
    in a modern Vue 3 + Vite project?
  2. Is there a proper compiler flag or configuration to generate
    ESM-compatible files directly?
  3. Are there any build tools or workflows that can automate the
    conversion from CommonJS to ESM?

Environment

  • Vue 3
  • Vite
  • Apache Thrift 0.21.0

Any guidance or pointers would be greatly appreciated, as information on this specific combination is sparse online.

Why does javascript fetch call not enable me to read contents of the file?

I am trying to get a web page to read text from files held on the same webserver. The following is the code I am using; it is cobbled together from several much-praised answers to similar questions on this site:

<html>

<head>
</head>

<body>
  <h1>JavaScript Fetch API</h1>
  <h2>The fetch() Method</h2>
  <p>The first line of the file will go here</p>
  <p id="sample">No file loaded</p>
  <button id="startbutton">Click to try it</button>
  <script>
    document.getElementById("startbutton").addEventListener("click", starter);

    function starter() {
      alert("in js")
      document.getElementById("sample").innerHTML = "Results: "
      mytext = gettext("fetchsample.txt")
      document.getElementById("sample").innerHTML += mytext
    }
    async function gettext(file) {
      try {
        gotfile = await fetch(file)
        if (!gotfile.ok) document.getElementById("sample").innerHTML +=
          "could not fetch" + file + " " + gotfile.statusText
      };
    }
    catch (ferror) {
      alert("fetch error " + ferror.message)
    }
    try {
      myText = await gotfile.text();
      if (!myText.ok) {
        document.getElementById("sample").innerHTML +=
          " could not read " + file + " ";
      }
    } catch (rerror) {
      alert("read error " + rerror.message)
    }
    return myText
    }
  </script>

  <body>

</html>

The file the code is trying to read, fetchsample.txt, is in the same directory on the server as the html code, so (I assume) there should be no CORS issues.
What happens is:

  1. the first alert (“in js”) fires correctly, so I know I am getting into the javascript.
  2. the second alert (“fetch error…”) does not fire, furthermore the “could not fetch…” string is not inserted into the paragraph “sample”, so I’m assuming the first await statement (involving fetch) completes successfully.
  3. however the second await statement does not complete successfully, because the if(!myText.ok) condition is activated: “could not read fetchsample.txt” is inserted into the paragraph “sample”. The catch statement is not taken, however.
  4. The routine gettext returns “[object Promise]” and this is inserted into the paragraph “sample”. Curiously, it appears before the “could not read…” message: the exact content of paragraph “sample” when this is run in Chrome or Firefox is “Results: [object Promise] could not read fetchsample.txt”, suggesting that gettext has returned that result before the second await statement has completed. I assume this is something to do with how async/await function in javascript.
    Note that if you try to run the snippet from this site, it returns a network error, because the file reference is relative and the corresponding file doesn’t exist; but I can’t get out of that by putting in the full domain reference, presumably because of CORS.
    So, what am I doing wrong here? Why is this code not returning the contents of fetchsample.txt?

enlargement video background scroll conflict scroll page – locomotiv scroll

I am having difficulty setting a magnification of the background youtube video to the scroll movement. I’m editing a site made with Locomotiv Scroll and trying to create the animation unfortunately creates “interference” with the page scroll by creating breaks and up and down movements when I get to the two ends of the scroll (first scrolling down and then back up). I will post the section regarding the video and the css and javascript I wrote. Basically I would like the animation of the youtube video to open at a width of 1280px and in the scroll go up to 100% of the page.

I thank any help and suggestions

document.addEventListener("DOMContentLoaded", function () {
    const scrollContainer = document.querySelector("[data-scroll-container]");
    const youtubeVideoContainer = document.querySelector(".youtube-bg");

    if (scrollContainer && youtubeVideoContainer) {
        // Un'unica istanza di Locomotive Scroll
        const scroll = new LocomotiveScroll({
            el: scrollContainer,
            smooth: true,
            getDirection: true,
            multiplier: 0.6,
            firefoxMultiplier: 50,
            resetNativeScroll: true
        });

        const initialWidth = 1280;
        const maxWidth = window.innerWidth;
        const sectionUp = document.querySelector("#up"); // Sezione con il video di sfondo

        scroll.on("scroll", (obj) => {
            const scrollY = obj.scroll.y;
            const sectionTop = sectionUp.offsetTop;
            const sectionHeight = sectionUp.offsetHeight;

            if (scrollY > sectionTop && scrollY < sectionTop + sectionHeight) {
                // Calcola la percentuale di progressione dello scroll
                let progress = (scrollY - sectionTop) / sectionHeight;
                progress = Math.max(0, Math.min(1, progress));

                // Calcola la nuova larghezza del video
                let newWidth = initialWidth + progress * (maxWidth - initialWidth);
                newWidth = Math.min(newWidth, maxWidth); // Assicura che non superi il 100%

                // Applica la nuova larghezza
                youtubeVideoContainer.style.width = newWidth + "px";
            }
        });
    } else {
        console.error("Elemento data-scroll-container o .youtube-bg non trovato");
    }
});
.portfolio-showcase {
    position: relative;
    z-index: 1;
}

.youtube-bg {
  position: absolute;
  bottom: 100px;
  left: 50%;
  transform: translateX(-50%);
  width: 1280px; /* larghezza iniziale */
  height: auto;
  aspect-ratio: 16 / 9;
  overflow: hidden;
  z-index: -1;
  transition: width 0.5s ease-out; /* Transizione più fluida */
}


#youtube-video {
    width: 100%;
    height: 100%;
}

.youtube-overlay {
    position: absolute;
    top: 0;
    left: 0;
    width: 100%;
    height: 100%;
    background: rgba(0, 0, 0, 0.6); /* Sovrapposizione nera per il video */
    pointer-events: none;
}

.page-head-footer-overlay-fix {
    height: auto;
    max-height: 100vh;
    overflow: hidden;
}

iframe {
    pointer-events: none;
}
<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.7.1/jquery.min.js"></script>
<link href="https://cdn.jsdelivr.net/npm/locomotive-scroll@4.1.4/dist/locomotive-scroll.min.css" rel="stylesheet"/>
<script src="https://cdn.jsdelivr.net/npm/locomotive-scroll@4.1.4/dist/locomotive-scroll.min.js"></script>

<section id="up" class="section-bg-dark" data-scroll-section>
   <div class="page-head-footer-overlay-fix" data-scroll data-scroll-repeat>
      <!-- Portfolio Showcase -->
      <div  class="fullscreen portfolio-showcase wall">
         <div class="youtube-bg">
            <iframe
               id="youtube-video"
               src="https://www.youtube.com/embed/VCaCx0xOZEk?autoplay=1&mute=1&controls=0&loop=1&playlist=VCaCx0xOZEk&modestbranding=1&rel=0&showinfo=0&iv_load_policy=3"
               frameborder="0"
               allow="autoplay; encrypted-media"
               allowfullscreen
               ></iframe>
            <div class="youtube-overlay"></div>
         </div>
         <!--/ Wall Wrapper -->
         <div class="wall-wrapper">
            <!-- Project -->
            <div class="wall-project">
               <!-- Project URL -->
               <!-- Project Image -->
               <div class="project-image">
                  <video autoplay="" muted="" loop="" playsinline="">
                     <source src="
                        <?php echo get_template_directory_uri(); ?>/images/projects/ezra-brooks/ecommerce.mp4" alt="E-commerce">
                  </video>
               </div>
               <!--/ Project Image -->
               <!-- Project Title -->
               <div class="title">
                  E-commerce
               </div>
               <!--/ Project Title -->
            </div>
            <!--/ Project -->
            <!-- Project -->
            <div class="wall-project">
               <!-- Project URL -->
               <!-- Project Title -->
               <div class="title">
                  <span class="text-scan text">Website</span>
               </div>
               <!--/ Project Title -->
            </div>
            <!--/ Project -->
            <!-- Project -->
            <div class="wall-project">
               <!-- Project URL -->
               <!-- Project Image -->
               <div class="project-image">
                  <video autoplay="" muted="" loop="" playsinline="">
                     <source src="
                        <?php echo get_template_directory_uri(); ?>/images/projects/ezra-brooks/still_life_photography.mp4" alt="Still life photography">
                  </video>
               </div>
               <!--/ Project Image -->
               <!-- Project Title -->
               <div class="title">
                  Still life
               </div>
               <!--/ Project Title -->
            </div>
            <!--/ Project -->
            <!-- Project -->
            <div class="wall-project">
               <!-- Project URL -->
               <!-- Project Image -->
               <div class="project-image">
                  <video autoplay="" muted="" loop="" playsinline="">
                     <source src="
                        <?php echo get_template_directory_uri(); ?>/images/projects/ezra-brooks/videoproduction.mp4">
                  </video>
               </div>
               <!--/ Project Image -->
               <!-- Project Title -->
               <div class="title">
                  Video production
               </div>
               <!--/ Project Title -->
            </div>
            <!--/ Project -->
            <!-- Project -->
            <div class="wall-project">
               <!-- Project URL -->
               <!-- Project Image -->
               <div class="project-image">
                  <video autoplay muted loop playsinline>
                     <source src="
                        <?php echo get_template_directory_uri(); ?>/images/projects/ezra-brooks/web_developer.mp4">
                  </video>
               </div>
               <!--/ Project Image -->
               <!-- Project Title -->
               <div class="title">
                  <div class="text-underline-2">
                     <span class="text">Design</span>
                  </div>
                  & strategy
               </div>
               <!--/ Project Title -->
            </div>
            <!--/ Project -->
            <div class="c-col-12 has-animation fade-in-up text">
               <h2><span class="span text span4"><em>Agenzia di comunicazione</em> Padova.</span></h2>
            </div>
         </div>
         <!--/ Portfolio Showcase -->
      </div>
      <!-- padding-top-bottom-150 end -->
      <!-- background start -->
      <!-- Column -->
      <div class="c-col-12 has-animation fade-in-up">
         <!-- Embed Video -->
         <!--/ Embed Video -->
      </div>
      <!--/ Column -->
      <!-- background end -->
   </div>
</section>

asp.net How Do I Change a Cursor From Wait Back to Normal After a Server Process Has Executed With No Postback?

I have a website that, after the user clicks an Imagebutton, calls server side code to create an Excel file and downloads it. This process can take about 20 seconds to finish so I’m wanting to change the cursor to wait mode until it finishes. I’ve followed the guidelines in this post, but it fails to say how I can reset the cursor back to normal once the download is complete.

Below is the last part of my server side code that actually creates the download, is there something I can possibly do to check the HTTPContext to see if it’s finished?

//*****************************************
//* Workbook Download & Cleanup
//*****************************************
using (var stream = new MemoryStream())
{
    Response.Clear();
    wb.Write(stream);
    Response.ContentType = "application/vnd.openxmlformats-officedocument.spreadsheetml.sheet";
    Response.AddHeader("Content-Disposition", string.Format("attachment;filename={0}", "Student Experiences.xlsx"));
    Response.BinaryWrite(stream.ToArray());
    Response.Flush();
    Response.End();
    HttpContext.Current.ApplicationInstance.CompleteRequest();
}

Parameters in svelte action not reactive

Svelte action that does things when keys are pressed:

import type { Action } from "svelte/action"

export const keys: Action<HTMLElement, boolean> = (node, active?: boolean) => {

  function listener(event: KeyboardEvent & { currentTarget: EventTarget & Window }) {
    if(!active){ // <- always initial value
      return;
    }

    const target = event.target as HTMLElement
    if(target instanceof HTMLInputElement){
      return;
    }

    // do things with node...
  }

  window.addEventListener("keydown", listener, true)

  return {
    destroy() {
      window.removeEventListener("keydown", listener, true)
    }
  }
}

it’s used in components like this:

<div use:keys={someLocalStateVar} ...

Problem is that the active argument which corresponds to someLocalStateVar does not change when the state changes.

Is there a way to make it reactive in the action?

Storing an object key/value in an array but not in an array element [duplicate]

I found some odd things and am looking for explanations as to how and why

let a = [] ;
a.push({foo:"bar",bar:"foo"}] ;
console.log(a) ;

As expected, prints out:

[[object Object] {
  bar: "foo",
  foo: "bar"
}]

however, I accidentally found I could also do this:

a.someKey = "someValue" ;  // this does NOT throw an error
console.log(a) ;

prints out, no reference to ‘someKey’ is in the print out

[[object Object] {
  bar: "foo",
  foo: "bar"
}]

console.log(a.someKey) ;
   

Prints out someValue

How am I able to assign an object key/value in an array but outside the scope of the array list? And when I print out a, why does it ONLY show the array and not the object key/value?

Contrarily, I also found I can do this too:

var b = {} ; 
b.this = "that" ;
b.that = "this" ;
b[0] = { more:"foo",less:"bar"} ; 
console.log(b) ;

Prints out:

[object Object] {
  0: [object Object] {
    less: "bar",
    more: "foo"
  },
  that: "this",
  this: "that"
}

So, you can store object key/values outside the scope of the array list and you can store an array list inside of an object that is referenced as a normal array.

Can someone help me understand this?

Why is Selenium Raising exception – org.openqa.selenium.JavascriptException – Failed to execute ‘send’ on ‘XMLHttpRequest’

I am running a selenium on a site – https://ir.vishay.com/
I am trying to get the response from above url, the driver code is as simple as

String url = "https://ir.vishay.com/"
driver.get(url);

After this, my selenium code is trying to get the Response headers by using below java script –

var req = new XMLHttpRequest();
req.open('HEAD', document.location, false);
req.send(null); var statusCode ='pStatusCode'.concat(': ').concat(req.status);
var statusText ='pStatusText'.concat(': ').concat(req.statusText);
var result = statusCode.concat('n').concat(statusText).concat('n').concat(req.getAllResponseHeaders());
return result;

Java code to execute above java script –

JavascriptExecutor js = (JavascriptExecutor) driver;
String responseHeaders = (String) js.executeScript(responseHeaderJsScript);
List<String> headersList = Arrays.asList(responseHeaders.split(NEW_LINE));

The executeScript api call is raising below exception –

org.openqa.selenium.JavascriptException: javascript error: {"status":19,"value":"Failed to execute 'send' on 'XMLHttpRequest': Failed to load 'chrome-error://chromewebdata/'."}
  (Session info: chrome-headless-shell=124.0.6367.78)
Build info: version: 'unknown', revision: 'unknown', time: 'unknown'
System info: host: 'ip-172-31-59-7.us-west-2.compute.internal', ip: '172.31.59.7', os.name: 'Linux', os.arch: 'amd64', os.version: '6.1.25-37.47.amzn2023.x86_64', java.version: '11.0.19'
Driver info: org.openqa.selenium.remote.RemoteWebDriver

This code works for 100s of public sites, but only with https://ir.vishay.com/ site it fails.

Salesforce – In my automation script with Cypress, I am typing a lower case letter “i”. But, when I run the automation script

This problem only happening in Salesforce. Alphabet “i” and “j” are converting to different character when we are typing.

In my automation script, I am typing a lower case letter “i”. But, when I run the automation script, it changes the lower case letter i to a different character. It happens in both Chrome and Edge. The application works fine when I test it manually.

How to properly filter material table using angular using checkbox

I have a set of data in which is filtering by checkbox. However it only works one time. For example. I have 2 distinct company If I check company it filters and shows two rows and I uncheck it shows all rows which is good. But if I check it again it doesn’t filter. Seems like I have some sort of state management or data binding problem. Here is my apply filter method that shows me trying to use filter predicate and also trying to filter manually.

applyFilter(): void {
console.log('mockData************', this.mockData);
if (!this.mockData || this.mockData.length === 0) {
  console.error('No Data to Filter');
  return;
}

let filteredData = this.mockData; // Start with the full data

if (this.identifierFilterValue && this.identifierFilterValue.length > 0) {
  filteredData = this.filterByIdentityCheckbox(filteredData);
}

console.log('Filtered Data ', filteredData);
if (this.dataSource) {
  this.dataSource.data = filteredData;
  this.dataSource.paginator = this.paginator; // Assign paginator here
}
if (this.dataSource && this.dataSource.paginator) {
  this.dataSource.paginator.firstPage();
 }
}



filterByIdentityCheckbox(data: any[]): any[] {
console.log(
  '******Applying filter by identifierFilterValue:',
  this.identifierFilterValue
);

if (
  !this.identifierFilterValue ||
  this.identifierFilterValue.length === 0
) {
  console.log('No Identifier Filters are selected return full data');
  return [...data];
}

return data.filter((item) => {
  console.log('Checking item identifier:', item.identifier);

  if (this.identifierFilterValue.indexOf(item.identifier) !== -1) {
    console.log('Matched identifier:', item.identifier);
    return true;
  } else {
    console.log('Identifier not matched', item.identifier);
    return false;
  }
});
}

}

I have a parent component, filter component, and view table component.

Here is my stackblitz

Dynamic pathing to image not functioning. ElectronJS, React, TailwindCSS [duplicate]

I am working on an Electron/React/Tailwind project. I have a component, ItemSlot.jsx. I want to style certain divs dynamically based on the value of the image_path property of the HelmetItem object. However, this doesn’t work (I’m assuming TailwindCSS does not support this).

I’ve noticed that when I pass a variable to bg-[url(${helmetItem.image_path})], Output.css does not change. I have also tried adding a conditional in-line style attribute that will handle only the background image when the isHelmetSelected is true, this also does not work.

// ItemSlot.jsx

import React from 'react';


const SlotsMenu = ({itemObjects, slotTypes, handleSlotClick}) => {

  const isHelmetSlotSelected = slotTypes.includes('Helmet');
  const isTorsoSlotSelected = slotTypes.includes('Torso');
  const isArmsSlotSelected = slotTypes.includes('Arms');
  const isShoulderSlotSelected = slotTypes.includes('Shoulders');
  const isLegsSlotSelected = slotTypes.includes('Legs');
  const isHandsSlotSelected = slotTypes.includes('Hands');
  const isWeaponSlotSelected = slotTypes.includes('weapon');
  const isFoodSlotSelected = slotTypes.includes('food');
  const isBoosterSlotSelected = slotTypes.includes('booster');
  const isMedSlotSelected = slotTypes.includes('med');

  // Item slot tooltip logic
  const helmetItem = itemObjects.find((item) => item.slot === 'Helmet');
  const helmetItemName = helmetItem ? helmetItem.armor_name : undefined;

  const torsoItem = itemObjects.find((item) => item.slot === 'Torso');
  const torsoItemName = torsoItem ? torsoItem.armor_name : undefined;

  const armsItem = itemObjects.find((item) => item.slot === 'Arms');
  const armsItemName = armsItem ? armsItem.armor_name : undefined;

  const legsItem = itemObjects.find((item) => item.slot === 'Legs');
  const legsItemName = legsItem ? legsItem.armor_name || legsItem.implant_name : undefined;

  const shouldersItem = itemObjects.find((item) => item.slot === 'Shoulders');
  const shoulderItemName = shouldersItem ? shouldersItem.armor_name : undefined;

  const handsItem = itemObjects.find((item) => item.slot === 'Hands');
  const handsItemName = handsItem ? handsItem.armor_name : undefined;

  const weaponItem = itemObjects.find((item) => item.slot === 'weapon');
  const weaponItemName = weaponItem ? weaponItem.weapon_name : undefined;

  const foodItem = itemObjects.find((item) => item.slot === 'food');
  const foodItemName = foodItem ? foodItem.food_name : undefined;

  const medItem = itemObjects.find((item) => item.slot === 'med');
  const medItemName = medItem ? medItem.med_name : undefined;

  const boosterItem = itemObjects.find((item) => item.slot === 'booster');
  const boosterItemName = boosterItem ? boosterItem.booster_name : undefined;

// Logic for determining leg pads or implant in leg slot
const legsItemKeys = legsItem ? Object.keys(legsItem) : undefined;
const legsItemType = legsItem ? legsItemKeys[1] : undefined





return (
  <>
  {/* Item Slots */}
  <div className="item-slots flex flex-col w-full h-full items-center"> 
        <h1 className='text-white'>Armor</h1>
        {/* Armor Slots Layout */}
        <div className='armor-slots flex flex-col w-full h-1/6 bg-[url(asset/grid.jpg)] lg:mb-20'>
          <div className='HTS-slots flex flex-row justify-center  p-2'>
              <div className={isHelmetSlotSelected 
                ? `text-center bg-[url(assets/${helmetItem.image_path})] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/helmetSelectedLG.png)] cursor-pointer`
                : 'text-center bg-[url(assets/headSlot.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/headSlotLG.png)]'
              }
               title={helmetItemName}
               onClick={isHelmetSlotSelected ? () => handleSlotClick('Helmet') : undefined}>
              </div>
              <div className={isTorsoSlotSelected 
                ? 'text-center bg-[url(assets/torsoSelected.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/torsoSelectedLG.png)] cursor-pointer'
                : 'text-center bg-[url(assets/torsoSlot.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/torsoSlotLG.png)]'
              }
              title={torsoItemName}
              onClick={isTorsoSlotSelected ? () => handleSlotClick('Torso') : undefined}>

              </div>
              <div className={isArmsSlotSelected 
                ? 'text-center bg-[url(assets/armsSelected.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/armsSelectedLG.png)] cursor-pointer'
                : 'text-center bg-[url(assets/armSlot.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/armSlotLG.png)]'
              }
              title={armsItemName}
              onClick={isArmsSlotSelected ? () => handleSlotClick('Arms') : undefined}>

              </div>
          </div>
          <div className='LSH-slots flex flex-row justify-between p-2 '>
          <div className={isLegsSlotSelected 
                ? legsItemType === 'armor_name' 
                  ? 'text-center bg-[url(assets/legPadSelected.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/legPadSelectedLG.png)] cursor-pointer'
                  : 'text-center bg-[url(assets/resAmp.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/resAmpLG.png)] cursor-pointer'
                : 'text-center bg-[url(assets/legSlot.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/legSlotLG.png)]'
              }
              title={legsItemName}
              onClick={isLegsSlotSelected ? () => handleSlotClick('Legs') : undefined}>

            </div>
            <div className={isShoulderSlotSelected 
                ? 'text-center bg-[url(assets/shouldersSelected.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/shouldersSelectedLG.png)] cursor-pointer'
                : 'text-center bg-[url(assets/shouldersSlot.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/shouldersSlotLG.png)]'
              }
              title={shoulderItemName}
              onClick={isShoulderSlotSelected ? () => handleSlotClick('Shoulders') : undefined}>

            </div>
            <div className={isHandsSlotSelected 
                ? 'text-center bg-[url(assets/handsSelected.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/handsSelectedLG.png)] cursor-pointer'
                : 'text-center bg-[url(assets/handSlot.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/handSlotLG.png)]'
              }
              title={handsItemName}
              onClick={isHandsSlotSelected ? () => handleSlotClick('Hands') : undefined}>

            </div>
          </div>
        </div>

        {/* Weapon Slot */}
              
        <div className= {
          isWeaponSlotSelected
          ? 'weapon-slot w-full h-full mt-30 mb-10 p-2 bg-[#1f2533]/50 rounded-xl lg:h-80 lg:mb-20 cursor-pointer'
          : 'weapon-slot w-full h-full mt-30 mb-10 p-2 bg-[#1f2533] opacity-50 rounded-xl lg:h-80 lg:mb-20'
        }>
            <div id='weaponSlot' className={
              isWeaponSlotSelected
              ? 'text-center bg-[url(assets/PP7xs.png)] w-full h-full mx-2 lg:w-full lg:h-full lg:bg-[url(assets/pp7XL.png)]'
              : 'text-center w-full h-full bg-[url(assets/pp7Silx.png)] lg:bg-[url(assets/pp7SilxLG.png)]'
            }
            title={weaponItemName}
            onClick={isWeaponSlotSelected ? () => handleSlotClick('weapon') : undefined}>
            </div>
        </div>

        {/* Food, booster, med slots */}

        <h1 className='text-white'>Misc. Slots</h1>
        <div className='misc-slots flex flex-row w-full justify-center mb-5 p-2 lg:mb-0 lg:mt-5'>
        <div className={isFoodSlotSelected 
                ? 'text-center bg-[url(assets/pizza1x.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/pizza1xLG.png)] cursor-pointer'
                : 'text-center bg-[url(assets/miscSlot.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/miscSlotLG.png)]'
              }
              title={foodItemName}
              onClick={isFoodSlotSelected ? () => handleSlotClick('food') : undefined}>

        </div>
            
        <div className={isMedSlotSelected 
              ? 'text-center bg-[url(assets/XL1.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/XL1LG.png)] cursor-pointer'
              : 'text-center bg-[url(assets/miscSlot.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/miscSlotLG.png)]'
              }
              title={medItemName}
              onClick={isMedSlotSelected ? () => handleSlotClick('med') : undefined}>

        </div>
        
        <div className={isBoosterSlotSelected 
                ? 'text-center bg-[url(assets/fakeCoca1.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/fakeCoca1LG.png)] cursor-pointer'
                : 'text-center bg-[url(assets/miscSlot.png)] w-16 h-16 mx-2 lg:w-32 lg:h-32 lg:bg-[url(assets/miscSlotLG.png)]'
              }
              title={boosterItemName}
              onClick={isBoosterSlotSelected ? () => handleSlotClick('booster') : undefined}>

        </div>
        </div>
      </div>
  </>
)




}


export default SlotsMenu;

I’ve been trying for days to come up with elegant solution to this problem, but so far nothing has worked. Any input is appreciated.

useEffect + useState throwing error: Rendered fewer hooks than expected. This may be caused by an accidental early return statement

I’m building a spelling bee app where a user can view a table displaying the history of words they’ve spelled. I’m trying to filter the data to be shown based on values they select with checkboxes (easy, medium, hard).

In my code, I am able to filter the array and console.log() it inside the useEffect just fine, but the problem occurs when I take the new array and use it to update my state. I’m also using Tanstack Table if that matters.

Here is the useEffect()

const ProgressTable = ({ data, isLoading, error }) => {
    console.log(data)
    const [globalFilter, setGlobalFilter] = useState('')
    const [selectedDifficulties, setSelectedDifficulties] = useState([])
    const [filteredData, setFilteredData] = useState(data)

    useEffect(() => {
        if (selectedDifficulties.length) {
            let newData = filteredData.filter((row) => {
                return selectedDifficulties.includes(row.level)
            })
            console.log('new', newData)
            setFilteredData(newData)
        } else {
            console.log('old', data)
            setFilteredData(data)
        }
    }, [selectedDifficulties])

Here is how I’m updating the “difficulty” level state

const toggleDifficulty = (level) => {
        setSelectedDifficulties((prev) => {
            console.log(prev)
            return prev.includes(level) ? prev.filter((l) => l !== level) : [...prev, level]
        })
    }

Which is called on an onChange event for checkboxes.


I’ll also include the rest of the file because apparently this has something to do with early returns, but I’m not seeing anything like that.

import React, { useMemo, useState, useCallback, useEffect } from 'react'
import {
    useReactTable,
    getCoreRowModel,
    getSortedRowModel,
    getFilteredRowModel,
    getPaginationRowModel,
    flexRender,
} from '@tanstack/react-table'

const ProgressTable = ({ data, isLoading, error }) => {
    console.log(data)
    const [globalFilter, setGlobalFilter] = useState('')
    const [selectedDifficulties, setSelectedDifficulties] = useState([])
    const [filteredData, setFilteredData] = useState(data)

    useEffect(() => {
        if (selectedDifficulties.length) {
            let newData = filteredData.filter((row) => {
                return selectedDifficulties.includes(row.level)
            })
            console.log('new', newData)
            setFilteredData(newData)
        } else {
            console.log('old', data)
            setFilteredData(data)
        }
    }, [selectedDifficulties])

    const columns = useMemo(
        () => [
            { accessorKey: 'created_at', header: 'Date' },
            {
                accessorKey: 'word',
                header: 'Word',
                cell: ({ row }) => (
                    <div>
                        {row.original.level} {row.original.word}
                    </div>
                ),
            },
            { accessorKey: 'is_correct', header: 'Result' },
            {
                accessorKey: 'acceptance',
                header: 'Acceptance',
                cell: ({ row }) => <div>{row.original.acceptance + '%'}</div>,
            },
            {
                accessorKey: 'level',
                header: 'Difficulty',
            },
        ],
        [],
    )

    const table = useMemo(
        () =>
            useReactTable({
                data: filteredData || [],
                columns,
                state: {
                    globalFilter,
                },
                getCoreRowModel: getCoreRowModel(),
                getSortedRowModel: getSortedRowModel(),
                getFilteredRowModel: getFilteredRowModel(),
                getPaginationRowModel: getPaginationRowModel(),
                onGlobalFilterChange: setGlobalFilter,
            }),
        [data, columns, globalFilter, selectedDifficulties],
    )

    const toggleDifficulty = (level) => {
        setSelectedDifficulties((prev) => {
            return prev.includes(level) ? prev.filter((l) => l !== level) : [...prev, level]
        })
    }

    return (
        <div className='p-4'>
            <div>
                <h3>Difficulty</h3>
                <label>
                    <input
                        type='checkbox'
                        onChange={() => toggleDifficulty('easy')}
                    />
                    Easy
                </label>
                <label>
                    <input
                        type='checkbox'
                        onChange={() => toggleDifficulty('medium')}
                    />
                    Medium
                </label>
                <label>
                    <input
                        type='checkbox'
                        onChange={() => toggleDifficulty('hard')}
                    />
                    Hard
                </label>
            </div>

            <input
                placeholder='Search words...'
                value={globalFilter}
                onChange={(e) => setGlobalFilter(e.target.value)}
                className='mb-4'
            />

            <table className='w-full border-collapse border'>
                <thead className='bg-gray-200'>
                    {table.getHeaderGroups().map((headerGroup) => (
                        <tr key={headerGroup.id}>
                            {headerGroup.headers.map((header) => (
                                <th key={header.id} className='p-2 border cursor-pointer'>
                                    {flexRender(
                                        header.column.columnDef.header,
                                        header.getContext(),
                                    )}
                                </th>
                            ))}
                        </tr>
                    ))}
                </thead>
                <tbody>
                    {table.getRowModel().rows.map((row) => (
                        <tr key={row.id} className='border'>
                            {row.getVisibleCells().map((cell) => (
                                <td key={cell.id} className='p-2 border'>
                                    {flexRender(cell.column.columnDef.cell, cell.getContext())}
                                </td>
                            ))}
                        </tr>
                    ))}
                </tbody>
            </table>

            <div className='mt-4 flex justify-between'>
                <button onClick={() => table.previousPage()} disabled={!table.getCanPreviousPage()}>
                    Previous
                </button>
                <span>
                    Page {table.getState().pagination.pageIndex + 1} of {table.getPageCount()}
                </span>
                <button onClick={() => table.nextPage()} disabled={!table.getCanNextPage()}>
                    Next
                </button>
            </div>
        </div>
    )
}

export default ProgressTable