How to retrieve WooCommerce’s variation images of products?

I have a code which I basically use to create a request to my WordPress site and as an response I am getting the response that includes product data.
I basically do get in variation’s object properties like SKU, price and similar to that right.
But the main problem is that I am not getting the urls of images (which I do expect to get).

Here’s the example of object that I get:

{
    "id": 4074,
    "title": "S008",
    "price": "",
    "short_description": "Lorem Ipsum dolor sit amanet",
    "sku": "",
    "variations": [
        {
            "id": 12951,
            "title": "S008<span> &#8211; </span>Black, M/L",
            "price": "25",
            "sku": "040071",
            "images": []
        },
        {
            "id": 12952,
            "title": "S008<span> &#8211; </span>Red, M/L",
            "price": "25",
            "sku": "040072",
            "images": []
        },
        {
            "id": 12953,
            "title": "S008<span> &#8211; </span>White, M/L",
            "price": "25",
            "sku": "040073",
            "images": []
        }
    ],
    "images": [
        "https://example.com/wp-content/uploads/2022/05/s_0008_S008-black-back-zoom.webp"
    ]
}

In my functions.php I have included this code:

// my-api-plugin.php

// Enqueue necessary scripts and stylesheets
function my_api_enqueue_scripts() {
    wp_enqueue_script('my-api-script', plugins_url('my-api-plugin/js/my-api-script.js', __FILE__), array('jquery'), '1.0', true);
}
add_action('wp_enqueue_scripts', 'my_api_enqueue_scripts');

// Register custom API route
function my_api_register_routes() {
    register_rest_route('my-api/v1', '/products', array(
        'methods' => 'GET',
        'callback' => 'my_api_get_products',
    ));
}
add_action('rest_api_init', 'my_api_register_routes');

// Callback function to retrieve product data
function my_api_get_products($request) {
    $args = array(
        'post_type' => 'product',
        'posts_per_page' => -1,
    );
    $products = get_posts($args);

    $response = array();

    foreach ($products as $product) {
        $product_data = array(
            'id' => $product->ID,
            'title' => get_the_title($product->ID),
            'price' => get_post_meta($product->ID, '_regular_price', true),
            'short_description' => get_the_excerpt($product->ID),
            'sku' => get_post_meta($product->ID, '_sku', true),
            'variations' => array(),
            'images' => array(),
        );

        // Get images for the product
        $product_images = get_post_meta($product->ID, '_product_image_gallery', true);
        if ($product_images) {
            $product_images = explode(',', $product_images);
            foreach ($product_images as $image_id) {
                $image_url = wp_get_attachment_image_url($image_id, 'full');
                if ($image_url) {
                    $product_data['images'][] = $image_url;
                }
            }
        }

        // Get variations if available
        if ($product->post_type === 'product_variation') {
            $parent_product_id = wp_get_post_parent_id($product->ID);
            $parent_product = get_post($parent_product_id);

            if ($parent_product) {
                $product_data['title'] = get_the_title($parent_product->ID);
                $product_data['price'] = get_post_meta($parent_product->ID, '_regular_price', true);
                $product_data['short_description'] = get_the_excerpt($parent_product->ID);
                $product_data['sku'] = get_post_meta($parent_product->ID, '_sku', true);
                $product_data['images'] = array();

                // Get images for the parent product
                $parent_product_images = get_post_meta($parent_product->ID, '_product_image_gallery', true);
                if ($parent_product_images) {
                    $parent_product_images = explode(',', $parent_product_images);
                    foreach ($parent_product_images as $image_id) {
                        $image_url = wp_get_attachment_image_url($image_id, 'full');
                        if ($image_url) {
                            $product_data['images'][] = $image_url;
                        }
                    }
                }
            }
        }

        // Add variations data if available
        if ($product->post_type === 'product' && $product->post_parent === 0) {
            $variations = get_children(array(
                'post_parent' => $product->ID,
                'post_type' => 'product_variation',
                'post_status' => 'publish',
                'orderby' => 'menu_order',
                'order' => 'asc',
                'numberposts' => -1,
            ));

            foreach ($variations as $variation) {
                $variation_data = array(
                    'id' => $variation->ID,
                    'title' => get_the_title($variation->ID),
                    'price' => get_post_meta($variation->ID, '_regular_price', true),
                    'sku' => get_post_meta($variation->ID, '_sku', true),
                    'images' => array(),
                );

                // Get images for the variation
                $variation_images = get_post_meta($variation->ID, '_product_image_gallery', true);
                if ($variation_images) {
                    $variation_images = explode(',', $variation_images);
                    foreach ($variation_images as $image_id) {
                        $image_url = wp_get_attachment_image_url($image_id, 'full');
                        if ($image_url) {
                            $variation_data['images'][] = $image_url;
                        }
                    }
                }

                $product_data['variations'][] = $variation_data;
            }
        }

        $response[] = $product_data;
    }

    return $response;
}

And this is my javascript code:

jQuery(document).ready(function($) {
  // Make an AJAX request to retrieve the products
  $.ajax({
    url: '/wp-json/my-api/v1/products',
    method: 'GET',
    dataType: 'json',
    success: function(response) {
      // Handle the response data
      if (response.length > 0) {
        // Create an array to store the processed product data
        var products = [];

        // Loop through each product
        $.each(response, function(index, product) {
          // Access the product data
          var productId = product.id;
          var title = product.title;
          var price = product.price;
          var shortDescription = product.short_description;
          var sku = product.sku;
          var variations = product.variations;
          var images = product.images;


          // Create an object to store the processed product information
          var processedProduct = {
            id: productId,
            title: title,
            price: price,
            shortDescription: shortDescription,
            sku: sku,
            variations: variations,
            images: images
          };

          // Add the processed product to the products array
          products.push(processedProduct);
        });

        // Use the products array as needed in your application
        console.log('Products:', products);
      } else {
        console.log('No products found.');
      }
    },
    error: function(xhr, status, error) {
      console.log('AJAX Error:', error);
    }
  });
});

I tried searching upon the WooCommerce Product Variations REST API and I’ve tried changing the name and using “image” instead of “images” here:

// Get variations if available
        if ($product->post_type === 'product_variation') {
            $parent_product_id = wp_get_post_parent_id($product->ID);
            $parent_product = get_post($parent_product_id);

            if ($parent_product) {
                $product_data['title'] = get_the_title($parent_product->ID);
                $product_data['price'] = get_post_meta($parent_product->ID, '_regular_price', true);
                $product_data['short_description'] = get_the_excerpt($parent_product->ID);
                $product_data['sku'] = get_post_meta($parent_product->ID, '_sku', true);
                $product_data['images'] = array();

                // Get images for the parent product
                $parent_product_images = get_post_meta($parent_product->ID, '_product_image_gallery', true);
                if ($parent_product_images) {
                    $parent_product_images = explode(',', $parent_product_images);
                    foreach ($parent_product_images as $image_id) {
                        $image_url = wp_get_attachment_image_url($image_id, 'full');
                        if ($image_url) {
                            $product_data['images'][] = $image_url;
                        }
                    }
                }
            }
        }

But still can’t figure it out.

Problem getting dynamic grid allocation function to work

So I’m creating a website that contains rows of cards with information about specific individuals, in the same vein as posts on Instagram, using a grid layout. I’m trying to use Javascript to write a function that ideally takes an input from an SQL database (ie a new entry) and creates a new “post” or card. Each new card should appear first in the table of cards, pushing all other previous cards one column to the right and, if at the end of a row of columns, one row down.

More specifically, in an initial form of the function that only deals with the rearrangement of the cards after input from a button instead of an SQL database:
The function filters through my CSS stylesheet to create a list of CSS rulesets containing a certain keyword “cartelle” (each card corresponds to a separate nth child in the stylesheet, which specifies position only). It then loops through this list, updating the grid-row-start/end & grid-column-start/end values of each ruleset, either incrementing column values by 1 or incrementing row values by 1 if the card is at the end of a column. After the change is made to the existing cards in the CSSOM, a new card, which is a group of nested div, p and img tags, becomes appended to a parent element in the DOM.

    function adjust(){
const styleSheet = Array.from(document.styleSheets[0].cssRules);
 //filter to create list that contains only cartelle class rulesets 
const myRules = styleSheet.filter(ruleset => ruleset.selectorText.includes("cartelle"))

 //iterate along each ruleset in the list
let cardSetLength = Object.keys(myRules).length;
for (let i = 0; i < cardSetLength; i++)
  {
    
    for (const rule of myRules) 
    {
      let newGridColumn = rule.style.gridColumnStart;
      let newGridRow = rule.style.gridRowStart;
     
      
      if(newGridColumn === '5')
      {
        newGridRow = parseInt(newGridRow) + 1;
        newGridColumn = 2;

        rule.style.setProperty("grid-column-start", newGridColumn);
        console.log(rule.style.gridColumnStart);

        rule.style.setProperty("grid-column-end", newGridColumn + 1);

      }
    
      else
      {
        newGridColumn = parseInt(newGridColumn) + 1;
   

        rule.style.setProperty("grid-column-start", newGridColumn);
        console.log(rule.style.gridColumnStart);//should return 3
        rule.style.setProperty("grid-column-end", newGridColumn + 1);
        
        rule.style.setProperty("grid-row-start", newGridRow);
        rule.style.setProperty("grid-row-end", newGridRow + 1);
        
        console.log(rule.style.gridRowStart);//should return 3
      }
   
    }
      myRules[i].selectorText = `cartelle:nth-child(${i + 2})`;
      console.log(myRules[i].selectorText);// should return "cartelle:nth-child(2);"
      console.log(myRules[i].style);//should return {gird-row-start: 3...}
    }
    //if card is at the end of the last grid column, change row and set column values to first column
    

//create cartelle including: (img, div.text-box, p onclick=popup()) 
const formatRows = document.querySelector(".format-rows");
const fragment = document.createDocumentFragment();

let div1 = document.createElement("div");
div1.setAttribute("class", "cartelle");

let img = document.createElement("img");
img.setAttribute("class", "card-image");

let div2 = document.createElement("div");
div2.setAttribute("class", "text-box");

let p = document.createElement("p");
p.setAttribute("onclick", "popupation()");

p.textContent = "hello world";

fragment.appendChild(div1).appendChild(img).appendChild(div2).appendChild(p);

formatRows.prepend(fragment);

console.log(fragment)//returns empty dict;


let newCardStyle = ".cartelle:nth-child(1) {grid-row-start: 2; grid-row-end: 3; grid-column-start: 1; grid-column-end: 2;}";

const stylesheet2 = document.styleSheets[0];
const index = stylesheet2.cssRules.length;
console.log(stylesheet2.cssRules.length);
stylesheet2.insertRule(newCardStyle, index);
console.log(stylesheet2.cssRules[20].gridRowStart)//returns empty dict;
};

I’m currently struggling to implement this. It seems that no matter what I do, the insertion of the new card causes the layout of the previous to become messed up. I can never get it to function exactly as I want it to. Does anyone have any ideas?

Here is the codepen link for anyone wishing to see CSS & HTML:
Codepen

Extension to stop Firefox stealing keystrokes

I have to use Firefox with a web app that uses Emacs-like keystrokes, including ctrl-w to cut text. My Emacs muscle memory often has me hitting ctrl-w without thinking, whereupon my Firefox tab abruptly vanishes, because ctrl-w is a Firefox shortcut to close a tab. This is maddening. Unfortunately, this occurs on a network where I have no admin privileges, and cannot even get permission to install any software from outside without divine intervention. I’ve found no Firefox setting in about:config that can stop this — I’ve googled and googled, and nothing works.

But it occurs to me that I could write a small Firefox extension that intercepts keystrokes before Firefox proper gets hold of them, and just forwards them to the app. Is this possible? I went through this post successfully. Then I tried to write an event listener for keystrokes, following onCommand, as follows,

document.addEventListener("keydown", function(event) {
    console.log("Keydown:", event);
});

window.addEventListener("load", (event) => {
    console.log("page is fully loaded");

    document.addEventListener('keydown', function(e) {
        console.log('document keydown event');
        console.log('key:', e.key);
        console.log('ctrl:', e.getModifierState('Control'));
    }, false);
});

window.addEventListener('keydown', function(e) {
    console.log('keydown event');
    console.log('key:', e.key);
    console.log('ctrl:', e.getModifierState('Control'));
}, false);

The load event shows up on the console, but nothing else. What am I missing?

How do I fix the issue with my React Todo Counter not showing completed and total variables?

I have a problem with my react code, when I put that I want the completed and total of the todocounter to be the variables, they are not displayed on the screen as they should, being 2 of 4 all completed. But if I remove the variables and put a number, it returns the numbers with no problem, so it’s not a z-index problem.

I don’t know what to do, I’m not an expert in react or anything, I’m a student

this is my app.js

import React from 'react';
import { TodoCounter } from './TodoCounter';
import { TodoSearch } from './TodoSearch';
import { TodoList } from './TodoList';
import { TodoItem } from './TodoItem';
import { CreateTodoButton } from './CreateTodoButton';
import { Bubbles } from './Bubbles';

const defaultTodos = [
  { text: 'Cortar cebolla', completed: true },
  { text: 'Tomar el curso de Intro a React.js', completed: false },
  { text: 'Llorar con la Llorona', completed: false },
  { text: 'LALALALA', completed: false },
];

function App() {
  const [todos, setTodos] = React.useState(defaultTodos);

  const [searchValue, setSearchValue] = React.useState('');

  const completedTodos = todos.filter(
    todo => !!todo.completed //devuelve un booleano
    ).lenght;
  
  const totalTodos = todos.lenght;

  const searchedTodos = todos.filter(
    (todo) => {
      const todoText = todo.text.toLowerCase();
      const searchText = searchValue.toLowerCase();
      
      return todoText.includes(searchText)
    }
  );
  
  console.log('Los usuarios buscan todos de ' + searchValue);

  return (
    <>
     <TodoCounter 
     completed={completedTodos}
     total={totalTodos} 
     />
     <TodoSearch 
     searchValue={searchValue}
     setSearchValue={setSearchValue}
     />

    <Bubbles />

    <TodoList>
      {searchedTodos.map(todo => ( //El metodo map crea un array a partir del array inicial
        <TodoItem 
        key={todo.text} 
        text={todo.text}
        completed={todo.completed}
        />
      ))} 
      {}
    </TodoList>

    <CreateTodoButton />
    
    </>
  );
}

export default App;

todocounter.js

import React from 'react';
import './styles/TodoCounter.css';

const TodoCounter = ({ completed, total }) => {
  return (
    <h1 className='todo-Title'>
      Has completado <span>{completed}</span> de <span>{total}</span> TODOs
    </h1>
  );
}

export { TodoCounter };

This is what it looks like if I use the variables.

enter image description here

And this is what it looks like if I just use numbers

enter image description here

I tried change the const for a number and it works, but i need that the app put the correct numbers of todos completed and total for complete.

Get Back VS Codes Inline Vertical Merge Editor

VS Code is now asking me to resolve conflicts in merge editor when I am opening some files. I want to use the old inline view where I can see the changes in a simple vertical style and choose what to accept or reject. However instead of showing me that it is not showing the errors and instead showing me this, which takes me to a 3 merge editor.

enter image description here

I do not want this and have turned it off in the settings as shown here
git merge conflict window off

However it is still showing me this and not giving me the old window. However for some files the old window will work for some reason. I want all my files on the old inline window with my accect incoming or accept current buttons. Can anyone help?

Javascript: How can export a PNG image with a black background and white brush from canvas?

Input:
An original image is uploaded then a canvas overlay with the size of the image and then brush painted on.

https://i.stack.imgur.com/7UKsG.png

Output:
Is the mask image, defining the areas that need to be removed

  • The mask image should be a PNG, and should have the same resolution as the original image
  • The mask should be black and white with no grey pixels

https://i.stack.imgur.com/7UKsG.png

its not a question this is my code for a game sooo anybody checked i am to bad in js but in my opinion is prety good :) [closed]

so yes, this is the game that I think was well done, I admit that I don’t know much about java script and I only do these from a practice point of view, but I would appreciate it if anyone could take a look and try it out and give me some tips on how I could improve. 🙂

html:

<!DOCTYPE html>
<html lang="hu">
<head>
    <meta charset="UTF-8">
    <meta http-equiv="X-UA-Compatible" content="IE=edge">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title></title>
</head>
<body onload="draw()">
    <style>
        td{
            width: 95px;
            height: 95px;
            background-color: aqua;
            text-align: center;
        }
        img
        {
            width: 50px;
            height: auto;
        }
    </style>
    <div style="background-color: bisque; height: 500px; width: 500px; margin-right: auto; margin-left: auto;">
        <table id="table">

        </table> 
    </div>
    
    <script src="script3.js"></script>
</body>
</html>

js:

var list = [];

function draw()
{
    list = [];
    let table = document.getElementById("table");
    let cells = 25;
    let text = "<tr>"

    for (let i = 0; i < cells; i++) 
    {
        list.push(0);
        if (i%5 == 0) {text += "<tr></tr>"}
        text += `<td onclick = "c(this)" id = "${i}"><img src = "vakondos feladat/Házi feladatok/turas.png"></td>`;
    }
    text += "</tr>"
    table.innerHTML = text;

    placed();
}

function c(object)
{
    console.log(list)
    if (list[object.id] == 1) {
        console.log("+1")
        document.getElementById(object.id).innerHTML = `<img src = "vakondos feladat/Házi feladatok/turas.png"></img>`;
        list[object.id] = 0;
    }
}

function placed()
{
    let placed = 0;

    while (placed < 10) {
        let rand = Math.floor((Math.random()*24));  
        
        if (list[rand] == 0) 
        {
            list[rand] = 1;
            placed++    
        }
        document.getElementById(rand).innerHTML = `<img src = "vakondos feladat/Házi feladatok/vakond.png"></img>`
    }

    console.log(placed);
    out();
}

function out()
{
    setInterval(() => {
        location.reload()
    }, 3300);
}

Need to make search and close SVG icons at the same position?

I need to make the search icon and the close SVG icon appear at same position but failed to achieve this !

My site: https://softcroco.com/

Screenshots:

enter image description here

enter image description here

So, is there any solution to get the search and close SVG icons at same position when the user click on it?

My Code:

#submitSearchButton {
}

#searchInput {
flex-grow: 1;
padding: 15px 145px;
border: none;
width: 100%;
height: 19%important;
font-family: 'Poppins';
font-size: 18px;
}

#searchForm {
width: 100%;
height: 75%!important;
position: relative;
display: unset;
}

.search-container {
display: flex;
position: absolute; /* Change this */
width: 100%; /* Add this */
top: 0; /* Add this */
left: 0; /* Add this */
}

#openSearchButton, #closeButton {
padding: 6px!important!;
border: none!important;
cursor: pointer!important;
position: absolute!important;
background-color: transparent!important;
color: white!important;
position: absolute!important; /* Change this */
top: 60%!important;
transform: translateY(-50%)!important;
right: 92px!important;
display: flex!important;
align-items: center!important;
}

#openSearchButton:hover { color: #cccccc!important; } #openSearchButton svg { transition: color 0.2s ease-in-out!important; }

#submitSearchButton {
position: relative;
cursor: pointer;
top: -38px;
right: -97px;
border: none;
background: none;
}
#openSearchButton svg {
width: 1em;
height: 1em;
}
#closeButton svg {
width: 2.5em;
height: 1em;
}

#closeButton {
display: none;
color: white;
right: 0; /* Add this */
}

<nav class="navbar">
  <div class="search-container" id="searchContainer" style="display: none;">
    <form id="searchForm" action="<?php echo esc_url( home_url( '/' ) ); ?>" method="GET">
      <input type="text" placeholder="Search For Apps or Games..." name="s" id="searchInput">
      <button type="submit" id="submitSearchButton">
        <!-- SVG icon code -->
        <svg viewBox="0 0 512 512" fill="currentColor" aria-hidden="true" width="20" height="20"><path fill-rule="evenodd" clip-rule="evenodd" d="M208 48c-88.366 0-160 71.634-160 160s71.634 160 160 160 160-71.634 160-160S296.366 48 208 48zM0 208C0 93.125 93.125 0 208 0s208 93.125 208 208c0 48.741-16.765 93.566-44.843 129.024l133.826 134.018c9.366 9.379 9.355 24.575-.025 33.941-9.379 9.366-24.575 9.355-33.941-.025L337.238 370.987C301.747 399.167 256.839 416 208 416 93.125 416 0 322.875 0 208z"></path></svg>
      </button>
    </form>
<button type="button" id="closeButton">
  <!-- SVG icon code -->
  <svg viewBox="0 0 512 512" aria-hidden="true" width="1em" height="1em">
    <path d="M71.029 71.029c9.373-9.372 24.569-9.372 33.942 0L256 222.059l151.029-151.03c9.373-9.372 24.569-9.372 33.942 0 9.372 9.373 9.372 24.569 0 33.942L289.941 256l151.03 151.029c9.372 9.373 9.372 24.569 0 33.942-9.373 9.372-24.569 9.372-33.942 0L256 289.941l-151.029 151.03c-9.373 9.372-24.569 9.372-33.942 0-9.372-9.373-9.372-24.569 0-33.942L222.059 256 71.029 104.971c-9.372-9.373-9.372-24.569 0-33.942z" fill="black"></path>
  </svg>
</button>

  </div>
  <button type="button" id="openSearchButton">
    <!-- Add your search icon SVG code here -->
<svg viewBox="0 0 512 512" aria-hidden="true" width="1em" height="1em">
  <path fill="white" fill-rule="evenodd" clip-rule="evenodd" d="M208 48c-88.366 0-160 71.634-160 160s71.634 160 160 160 160-71.634 160-160S296.366 48 208 48zM0 208C0 93.125 93.125 0 208 0s208 93.125 208 208c0 48.741-16.765 93.566-44.843 129.024l133.826 134.018c9.366 9.379 9.355 24.575-.025 33.941-9.379 9.366-24.575 9.355-33.941-.025L337.238 370.987C301.747 399.167 256.839 416 208 416 93.125 416 0 322.875 0 208z"></path>
</svg>
  </button>
  <!-- Other navigation items -->
</nav>

<script>
document.getElementById('openSearchButton').addEventListener('click', function() {
  document.getElementById('searchContainer').style.display = 'flex';
  this.style.display = 'none';
  document.getElementById('closeButton').style.display = 'block';
});

document.getElementById('closeButton').addEventListener('click', function() {
  document.getElementById('searchContainer').style.display = 'none';
  this.style.display = 'none';
  document.getElementById('openSearchButton').style.display = 'block';
});

document.getElementById('searchForm').addEventListener('submit', function(e) {
  const searchInput = document.getElementById('searchInput');
  const searchQuery = searchInput.value.trim();
  
  if (searchQuery === '') {
    e.preventDefault(); // Prevent the form from submitting if the search query is empty
  }
});
</script>

A lot of CSS edits without benefits!

Return a variable from a function to be used in a different function?

I’d like to return the object id created for a guest based on my if statement below. I’m new-ish to javascript and can’t figure out how to do this from the MDN function docs so wondering if there’s a way to return a variable from the below function so it can be used in another function below

const guest = await Guest.findOne({ email: req.body.email, user: event.user._id }).populate('event');

if (!guest) {          // see if guest already exists
    const newGuest = new Guest(req.body);  // create new guest
    newGuest.user = event.user._id;
    newGuest.event = event._id;
    await newGuest.save(); // save new guest to guest model
    event.guests.push(newGuest);
    await event.save(); // save guest to event
} else {
    event.guests.push(guest);
    await event.save(); // 
}

Javascript guessing number game [closed]

Can someone please give me the code for a javascript game where you have 100 buttons, all with values between 1 and 100, and rhe point of the game is to click on button that is computer generated randomly. You have several guesses, and if you get it right, message appears that you guessed it right.
The final product should look like this:

My main problem is that i can’t make buttons.

Extracting text from Xpath using JavaScript

Looking for a way to extract the text from an Xpath using javascript.

Example:
Xpath: Sometext

Want to return the value: Sometext.

Tried something like this with no luck.

var x_path = ‘my_xpath’;
var result = document.evaluate(x_path,document, null, XPathResult.STRING_TYPE, null);
console.log(result);

Output is just {}.

AJAX FormData POST not working: Payload not delivered to PHP page

AJAX POST Payload doesnt deliver to PHP Page

Im trying to send a form when the button “agregar-carrito” gets clicked, creating the form structure inside the .js, and sending it in directed to a .php page named “carrito.php” with POST as REQUEST_METHOD, but the .php page doesnt seem to get the payload from the AJAX. From the page where the data is getting delivered seems to be delivering the data just fine, the payload is sent with the following General Headers data:

Request URL: http://localhost/HC/carrito.php
Request Method: POST
Status Code: 200 OK
Remote Address: [::1]:80
Referrer Policy: strict-origin-when-cross-origin

but on the other end, carrito.php doesnt seem to get sent anything. Without the echos handling the warnings, it results with the following error:

**PHP Warning:  Undefined array key "REQUEST_METHOD" in D:Program FilesxampphtdocsHCcarrito.php on line 3**

script.js

$(document).ready(function() {
  // Manejar el evento clic del botón "Agregar al carrito"
  $('#agregar-carrito').on('click', function(e) {
    // Obtener los datos del producto
    var cantidad = $('#cantidad').val();
    var nombreProducto = $('#nombre-producto').text();
    var idProducto = $('html').attr('id');
    var precioUnitarioTexto = $('#precio-unitario').text();
    precioUnitarioTexto = precioUnitarioTexto.replace(' MXN', '');
    precioUnitarioTexto = precioUnitarioTexto.replace('Precio: $', '');
    var precioUnitario = parseFloat(precioUnitarioTexto);
    var imagenProducto = $('#imagen-producto').attr('src');

    // Calcular el precio total
    var precioTotal = cantidad * precioUnitario;

    // Crear un objeto FormData para enviar los datos del producto (incluyendo la imagen)
    var formData = new FormData();
    formData.append('cantidad', cantidad);
    formData.append('nombre', nombreProducto);
    formData.append('id', idProducto);
    formData.append('imagen', imagenProducto);
    formData.append('precioUnitario', precioUnitario);
    formData.append('precioTotal', precioTotal);

    // Enviar los datos del producto al archivo carrito.php utilizando AJAX
    $.ajax({
      url: 'carrito.php',
      method: 'POST',
      data: formData,
      processData: false,
      contentType: false,
      success: function(response) {
        // Manejar la respuesta del servidor (si es necesario)
        console.log(response);
      },
      error: function(xhr, status, error) {
        // Manejar errores de la solicitud AJAX (si es necesario)
        console.error(error);
      }
    });
  });
});

carrito.php

<?php

if ($_SERVER["REQUEST_METHOD"] == 'POST') {
    $cantidad = $_POST['cantidad'];
    $nombre = $_POST['nombre'];
    $id = $_POST['id'];
    $imagen = $_POST['imagen'];
    $precioUnitario = $_POST['precioUnitario'];
    $precioTotal = $_POST['precioTotal'];

    // Realiza cualquier operación adicional con los datos recibidos

    // Ejemplo: Imprime los datos recibidos
    echo "Cantidad: $cantidad, Nombre: $nombre, ID: $id, Imagen: $imagen, Precio Unitario: $precioUnitario, Precio Total: $precioTotal";
} else {
    echo "Método de solicitud incorrecto.";
}
?>

Javascript Object Exists, but variables get Error Invalid data structure

The following javascript code works, but for some reason line 3 doesnt work as it gives me the below error. Line 2 with just console log data works and displays below. If data is valid, but why doesnt “nid” exist?

Error: Invalid data structure or nid value is missing.

{"nid":[{"value":283}],"uuid":[{"value":"4fb99a46-1383-4f0d-8c51-2743b55defea"}],"vid":[{"value":430}]}

enter image description here

Creating a Next.js app in VS Code does not have ‘Pages’ or ‘Styles’ folder

When creating a Next.js app in VS Code, I run the following command: ‘npx create-next-app@latest’ and go through the process of creating the app. However, Next.js’s website shows that I should have a ‘pages’ and ‘styles’ folder along with the ‘app’ and ‘public’ folder. I am unsure if this has to do with the ‘Would you like to use…’ section when creating the app if I am selecting the wrong options or what.

‘Would you like to use…’ section
Top level files and folders I am seeing

I updated Node.js and recreated the application multiple times using different selections in the ‘Would you like to use…’ section. I was hoping the folders would appear, but no success. I am unsure where to go here as I am new to using Next.js.