Cordova 11.1.0 – Can’t access Cordova hook environment variables using Node.js – returns undefined

I’ve tried running hooks for an old application using Cordova, Node.js and Angular.

It is trying to get an environment variable from process.env like process.env.CORDOVA_CMDLINE but when console logging it returns undefined.

After further investigation, when logging process.env it returns a long text but doesn’t show any of the environment variables that should be there. As they appear on the cordova documentation.

I’ve gone through a bunch of websites and stack overflow threads but I couldn’t find a proper solution, or an example of it working. Maybe a more updated case. I’m currently using Cordova 11.1.0.

The only solution I could find is adding them to a .env file but I feel like that is not the right answer. In the documentation it clearly states that each variable will return a specific value. And the application was working on older versions without a .env file so I don’t think this is the case.

I’m running after_prepare hooks that are clearly stated in the config.xml file. So the program is running and executing the hooks as expected. The only problem is it breaks because it is trying to do things with an undefined value (because it doesn’t exist in process.env).

// Modules
var fs = require('fs');
var path = require('path');

var cliCommand = process.env.CORDOVA_CMDLINE;
var isRelease = (cliCommand.indexOf('--release') > -1);

var rootdir = process.argv[2];

// Exit
if (!isRelease) {
  return;
}

As further clarificaion I’m running the application using the browser platform.

I wonder if any of you have encountered a similar problem and could help. Thanks!

Table keeps jumping back to top after assigning custom scroll position

I’m using Vue 3 with a Vuetify table and whenever I modify data I have to fetch everything again. If you modify a cell inside row 123 and column 456 reconstructing the whole grid is annoying because the table scrollbars jump back to the start. I think a good solution for this would be to

  • store the current scroll position
  • perform the write action
  • reassign the stored scroll position

( any better suggestions are highly appreciated )

As a sidenote: Since Vuetify requires a fixed table height for fixed table headers I’m, calculating the height dynamically ( table should fill the rest of the page ).

I created the following example ( Playground link )

<script setup lang="ts">
import { ref, nextTick, onMounted, watch } from "vue";  

const mainContainerComponent = ref<VMain>();
const tableComponent = ref<VTable>();
const tableHeight: Ref<number | undefined> = ref(undefined);
const tableMatrix = ref([[]]);

onMounted(async () => {
  // we only want to scroll inside the table
  document.documentElement.classList.add("overflow-y-hidden");

  await loadData();
});

watch(tableMatrix, async () => {
  // Unset table height and wait for it to rerender
  tableHeight.value = undefined;

  await nextTick();

  if (!tableComponent.value) {
    return;
  }

  const mainContainerComponentRectangle = mainContainerComponent.value.$el.getBoundingClientRect();
  const tableRectangle = tableComponent.value.$el.getBoundingClientRect();
  const topOffset = tableRectangle.top;
  const bottomOffset = mainContainerComponentRectangle.bottom - tableRectangle.bottom;

  tableHeight.value = window.innerHeight - bottomOffset - topOffset;
});

async function loadData() {
  // destroy table
  tableMatrix.value = [];

  await nextTick();
  
  // fetch data
  const fetchedData = new Array(Math.floor(Math.random() * 300) + 50).fill("data");

  // calculate table matrix
  tableMatrix.value = [...fetchedData.map(x => [x])];
}

async function performWriteAction() {
  // send modify request here

  const { scrollLeft, scrollTop } = getTableScrollPosition();

  await loadData();

  // wait for the DOM to finish
  await nextTick();

  // try to restore the previous scroll position
  setTableScrollPosition(scrollLeft, scrollTop);
}

function getTableDOMElement() {
  return tableComponent.value?.$el.querySelector(".v-table__wrapper");
}

function getTableScrollPosition() {
  const { scrollLeft, scrollTop } = getTableDOMElement();
  
  console.log(`current scroll position => x: ${scrollLeft} | y: ${scrollTop}`);

  return { scrollLeft, scrollTop };
}

function setTableScrollPosition(scrollLeft: number, scrollTop: number) {
  const tableElement = getTableDOMElement();
  
  console.log(`scroll to => x: ${scrollLeft} | y: ${scrollTop}`);

  tableElement.scrollLeft = scrollLeft;
  tableElement.scrollTop = scrollTop;
}
</script>

<template>
  <v-app>
    <v-main ref="mainContainerComponent">
      <v-container>
        <v-btn @click="performWriteAction">Modify data</v-btn>
      </v-container>
      
      <v-table
        ref="tableComponent"
        density="compact"
        fixed-header
        :height="tableHeight"
      >
        <thead>
          <tr>
            <th>Col</th>
          </tr>
        </thead>
        <tbody>
          <tr v-for="(row, rowIndex) in tableMatrix" :key="rowIndex">
            <template v-for="(cell, columnIndex) in row" :key="columnIndex">
              <td>{{ rowIndex }}</td>
            </template>
          </tr>
        </tbody>
      </v-table>
    </v-main>
  </v-app>
</template>

The problem with this code is that the table always jumps back to the start. If you scroll down to the center of the table and modify some data the scroll position is still wrong.

Do you have any ideas what’s wrong or missing?

How can I keep open my mat dialoge modal if angular route getting change in angular material.?

I am implementing the multiple dialoge modal functionality to open multiple dialoge at a time and not closed untill we closed manually.

In this feature we allow user to opne modal on click of navigation bar and it is draggable and resizeable modal. after open 1st modal user can open other modals by clicking on navigation bar band 1st modal will remain same.

I am facing issue while click on navigation bar it will change the routes and close the 1st modal.

I am able to implement multiple modal at a time functionality for the same route and same page but not able to use it with route change

Can any one help out with this.?

How do I require the examinee to fill in the prompt before exiting the page? [duplicate]

So I have an examination page, and the user cannot leave until it’s over. They can only leave if they know the password or examination ended. However, I don’t know how to do that. I have tried to use Prompt and Do While, but I get nothing. No errors or popups

Here’s what i have tried so far

window.onbeforeunload = (event) => {
    prompt("Enter password before you leave!");
        let confirm;
        while (true) {
            confirm= (prompt("Enter password before you leave!"));
    
            if (confirm != "44344")
                return confirm;
            alert("You can't leave while the examination is still ongoing.");
            event.preventDefault();
        }
}

I’m expecting to loop a prompt until the user gets the correct password or they cancel the prompt.

I have seen others post in stackoverflow but it does only confirm the user if they want to leave or not.

change the return value of a mock function of pinia store inside multiple tests

Problem

Inside a component which should render when getPersons returns with a collection of Persons.

I need to write two tests:

  1. Which asserts x attribute is available in the HTML
  2. Which asserts that x attribute is not in the html

In my current test configurations, I can’t mock out the getPersons return value as an empty [] in order to verify test scenario 2.

Question: How to change the return value from function inside a store?

<div v-if="persons" ref="personList">
 <div data-cy="foo">hello world</div>
</div>

store

export const userStore = defineStore("user", {
state: () => ({
  fooObject: null
}),

actions: {
 async getPersons() {
 // get all person
 }
}})


user module 

import { userStore } from 'somepath'

const  { getPersons } = userStore();

onMounted(async () => {
  const persons = await getPersons()
}) 

Component Test

import { useStore } 'somepath'

vi.mock('somepath', () => ({
  userStore: vi.fn().mockImplementation(() => ({
   getPersons: vi.fn().mockResolvedValue([{name: 'foo'}])
}))
}))

describe("personList Comp", () => {

it("should show all persons", async () => {
    const wrapper = mount(Perons, ...options) // pass in createTestingPinia, router etc

    const comp = wrapper.findComponent(Persons);

   // getPersons will return [{name: 'foo'}]
   // and component can conditionally render
})

it("show not show persons if no data", async () => {

// I've tried the following, but when the test runs it always returns an array of persons
    
 vi.mocked(getPersons).mockResolvedValue([])


 })

How to access files in outside of bin folder in ASP.NET Core?

I am developing a web app in ASP.net Core MVC and am trying to access a TempFile in a folder called TempFile within my project.

MyWebAPP:.
├───TempFiles
     ├─── file.wav

However I cannot access that file, even tho it exists, through JavaScript, like this:

const connection = new signalR.HubConnectionBuilder().withUrl("/SandboxHub").build();

// Start the SignalR connection
connection.start().catch(err => console.error(err));

// Handle textbox change event
$("#sentence-input").on("input", async function () {
    // Get the sentence value
    const sentence = $(this).val();

    // Send the sentence to the Hub
    await connection.invoke("TransformIntoTTS", sentence);

    connection.on("ReceiveFile", function (fileUrl) {
        const relativeFilePath = fileUrl.replace("/LearningWithAI-WebLayer", "");


        // Apply the file URL to the source of the audio controller
        $("#audio-player").attr("src", "../" + relativeFilePath);

    });
});

Filter and sort together in react

I am unable to filter and sort at the same time. I will be getting products from axios get call and create a copy of it into filteredProducts initially. Then i will be clicking on sort and discount filter options. Sorting is working fine here but not together with discount filter. How can i achieve this together inside useEffect ?

    const [filteredProducts, setFilteredProducts] = useState([]);

    const handleSort = (sortByValue) => {
        return filteredProducts.sort((a, b) => {
            switch(sortByValue) {
                case 'new' : return parseISO(b.created_at) - parseISO(a.created_at);
                case 'discount' : return b.discount - a.discount;
                case 'price_desc' : return b.price - a.price;
                case 'price_asc' : return a.price - b.price;
                default : return a.name.localeCompare(b.name);
            }
        })
    }
    
    const discount = queryParams.get('discount')
    const sortBy = queryParams.get('sort')

    const handleDiscountFilters = (filterResults) => {
        if(discount) {
            return filteredProducts.filter((product) => product.discount > discount)
        } else {
            return products
        }
    }
    
    // Here i want to call the different filter functions first and then call sort function. 
    useEffect(() => {
        let filterResults = [...filteredProducts];
        filterResults = handleDiscountFilters(filterResults)
        filterResults = handleSort(sortBy)
        setFilteredProducts(filterResults);
    }, [filteredProducts, handleDiscountFilters, handleSort, sortBy])

PTV Vector map text labels not displayed as expected

In my application based in Java on the front end and using WildFly Keycloack on the backend, we are displying a PTV Vector map in one of the application views using the following libraries:

  • ol.js
  • JavaFx
  • olms.js
  • require.js
  • PTV/MapBox implentations

The issue is that the small label for street names is not displayed correctly. It looks as if the center/position it has for street names is different to the rest of elements in the map since they are displayed correctly.

For instance, the following image shows two examples of text labels, one being displayed as expected and the issue for which this thread has been created. Map text labels

As per my observations, the following block of code in our standard.json file will display both text labels mentioned above.

{
            "id": "TSP_RoadLocal_Label",
            "type": "symbol",
            "source": "ptv",
            "source-layer": "LayerTransport",
            "minzoom": 13,
            "filter": [
                "all",
                [
                    "==",
                    "$type",
                    "LineString"
                ],
                [
                    "==",
                    "display_class",
                    5
                ]
            ],
            "layout": {
                "icon-rotation-alignment": "auto",
                "symbol-placement": "line",
                "text-font": [
                    "Noto Sans Regular"
                ],
                "text-size": {
                    "stops": [
                        [
                            10,
                            8
                        ],
                        [
                            20,
                            14
                        ]
                    ]
                },
                "text-letter-spacing": 0.1,
                "text-field": "{street_name}"
            },
            "paint": {
                "text-color": "#1B1C1F",
                "text-opacity": {
                    "stops": [
                        [
                            13,
                            0
                        ],
                        [
                            14,
                            1
                        ]
                    ]
                },
                "text-halo-color": "hsl(0, 0%, 100%)",
                "text-halo-width": 2
            }
        }

What I would like to know is why some text labels are not displayed correctly and some others are displayed as expected.

Following is the HTML code:

<!DOCTYPE html>
<html>
<head>
<meta http-equiv="X-UA-Compatible" content="IE=edge" charset='utf-8' />
<meta name="viewport"
    content="width= 100, initial-scale=1.0, user-scalable=no" />

<style type="text/css">
html {
    height: 100%
}

body {
    height: 100%;
    margin: 0;
    padding: 0
}

#map_canvas {
position:absolute; top:0; bottom:0; width:100%;
    height: 100%
}
</style>

<script src="libraries/ol.js"></script>
<script src="libraries/olms.js"></script>
<script src="libraries/require.js"></script>

<script
    src="https://ajax.googleapis.com/ajax/libs/jquery/3.5.1/jquery.min.js"></script>
</head>

<body>
    <div id="map_canvas" style="height: 100%; width: 100%"></div>
    <script>

    var fromProjection;
    var toProjection;
    var zoom;

    var apiUrl = 'https://api.myptv.com/maps/v1/vector-tiles/{z}/{x}/{y}?apiKey=';
    var apiKey;
    var urlTemplate = apiUrl + apiKey;
    var jsonStyle;

    var map;

    function setApiKey(api) {
        apiKey = api;
        urlTemplate = apiUrl + apiKey;
    }

    function init() {

        try {

            if (map != null) {
                return;
            }

            map = new ol.Map({
                target: 'map_canvas',
                view: new ol.View({ center: ol.proj.transform([8.7528, 50.377], 'EPSG:4326', 'EPSG:3857'), zoom: 18}),
                controls:[]
            });

            const layer = new ol.layer.VectorTile({
                source: new ol.source.VectorTile({
                    format: new ol.format.MVT(),
                    url:
                        urlTemplate,
                    maxZoom: 18,
                }),
            });


            fetch('./libraries/standard.json')
            .then((response) => response.json())
            .then((json) => layer.setStyle(olms.stylefunction(layer,json, 'ptv')));
            
            map.addLayer(layer);

        } catch (e) {
            console.log(e);
        }
    }

    function getMap() {
        init();

        return map;
    }

    function getZoom() {

        return zoom;
    }

    function setZoom(zoomLvl) {

        zoom = zoomLvl;
        getMap().getView().setZoom(zoom);
    }

    function getCenterLat() {

        return ol.proj.transform(getMap().getView().getCenter(), 'EPSG:3857', 'EPSG:4326')[1];
    }

    function getCenterLng() {

        return ol.proj.transform(getMap().getView().getCenter(), 'EPSG:3857', 'EPSG:4326')[0];
    }

    function setCenter(lat, lng) {
        try {
            getMap().getView().setCenter(ol.proj.transform([lng, lat], 'EPSG:4326', 'EPSG:3857'));
        } catch (e) {
            console.log(e)
        }
    }

    </script>
</body>
</html>

Lastly, this is the renderer Java class:

import java.net.URL;
import java.util.Vector;
import javafx.application.Platform;

public class PTVDevVectorMapRenderer extends AbstractHtmlInteractiveMapRenderer {

  private static final long serialVersionUID = 1L;
  public String apiKey = KonstantenCache.getWertGCW("PTV_DEVELOPER", "PTV_API_KEY");
  
  public PTVDevVectorMapRenderer() {

    super();
    initializeMap();
  }

  /**
   * Initialize PTV Map
   */
  public void initializeMap() {
    final URL urlPTVMaps = getClass().getResource("PTVDevVectorMap.html");
    htmlRenderer.setContent(urlPTVMaps.toExternalForm());

    // Blocking call. Waits until WebEngine is loaded
    refresh();
    Platform.runLater(new Runnable() {

      @Override
      public void run() {

        setApiKey();
        String scriptInit = "init()";
        htmlRenderer.execute(scriptInit);
        
      }});
  }
  
  public void setApiKey() {
    String apiKey = KonstantenCache.getWertGCW("PTV_DEVELOPER", "PTV_API_KEY");
    String scriptApiKey = "setApiKey('" + apiKey + "')";
    //String.format("setApiKey('%s')", apiKey);
    htmlRenderer.execute(scriptApiKey);
  }

  @Override
  public void setCenter(
      double lat,
      double lng) {

    String scriptCenter = "setCenter(" + lat + "," + lng + ")";
    htmlRenderer.execute(scriptCenter);
  }

  @Override
  public double getCenterLat() {

    double centerLat = (double) htmlRenderer.executeAndReturn("getCenterLat()");
    return centerLat;
  }

  @Override
  public double getCenterLng() {

    double centerLng = (double) htmlRenderer.executeAndReturn("getCenterLng()");
    return centerLng;
  }


  @Override
  public int getZoom() {
    
    Object obj = htmlRenderer.executeAndReturn("getZoom()");
    
    if (obj instanceof String) {
      // String is "undefined", thus the map is not completely loaded yet.
      return 13;
    }

    return (int) obj;
  }

  @Override
  public void setZoom(
      int zoom) {

    String script = "setZoom(" + zoom + ")";
    htmlRenderer.execute(script);
  }

  @Override
  public int getMaxZoomLvl() {

    return 19;
  }

  @Override
  public int getMinZoomLvl() {

    return 3;
  }

  @Override
  public double getDistance(
      double[] objectPoint,
      double[] objectPoint2) {

    String script = "calcDistance(" + objectPoint[0] + "," + objectPoint[1] + "," + objectPoint2[0] + ","
        + objectPoint2[1] + ")";
    double distance = (double) htmlRenderer.executeAndReturn(script);
    return distance;
  }

  @Override
  public void setRoute(
      double[] objectPoint,
      double[] objectPoint2) {

  }

  @Override
  public Vector<?> getRoutePoints(
      double[] objectPoint,
      double[] objectPoint2) {

    return null;
  }

  @Override
  public Vector<double[]> getFahrtgebiet() {
    return null;
  }

  @Override
  public double[] getFahrtgebietPoint() {
    return null;
  }
}

Thanks a lot for your time and help!

How can I check if third-party cookies are enabled in JavaScript and HTML?

I am trying to find out a way in javascript to check if browser has Third-party cookie enabled or not , following apporach i’ve used but still there is no luck .

There are two files 1) Indec.html which contains following code:

<!doctype html>
<html>
<head>
</head>
<body>
  <script>
    function cookieTest(iFrameUri, callBack) {
      function messageHandler(event) {
        // Check for trusted origins here
        const data = JSON.parse(event.data);
        callBack(data["result"]);
        window.removeEventListener("message", messageHandler);
        document.body.removeChild(frame);
      }
      window.addEventListener("message", messageHandler);
      var frame = document.createElement("iframe");
      frame.src = iFrameUri;
      frame.sandbox = "allow-scripts allow-same-origin";
      frame.style = `display:none`;
      frame.onload = function(e) {
        frame.contentWindow.postMessage(JSON.stringify({ test: "cookie" }), window.location.origin);
      };
      document.body.appendChild(frame);
    }

    // Call the cookieTest function
    cookieTest('iframe.html', function(result) {
      // Callback function to handle the result
      console.log('Cookies enabled:', result);
      // Display the result on the page
      var resultElement = document.getElementById('result');
      resultElement.textContent = 'Cookies enabled: ' + result;
    });
  </script>
  <h1>Cookie Test</h1>
  <div id="result"></div>
</body>
</html>

Another one is iframe.html which contains the following code:

<!doctype html>
<html>
<head>
</head>
<body>
  <script>
    const checkCookiesEnable = () => {
      let isCookieEnabled = (window.navigator.cookieEnabled) ? true : false;
      if (typeof window.navigator.cookieEnabled == "undefined" && !isCookieEnabled) {
        document.cookie = "testcookie";
        isCookieEnabled = (document.cookie.indexOf("testcookie") != -1) ? true : false;
      }

      return isCookieEnabled;
    }

    (function () {
      window.addEventListener('message', event => {
        try {
          let data = JSON.parse(event.data);
          if (data['test'] !== 'cookie')
            return;
          let result = checkCookiesEnable();
          parent.postMessage(JSON.stringify({ 'result': result }), event.origin);
        } catch (e) {
          console.error(e);
        }
      });
    })();
  </script>
</body>
</html>

Yet i am still getting third-party cookie enabled in incognito mode. Please help here.

Firefox triggers Websocket error from IAsyncEnumerable Core MVC controller method

I am using a cancellable Javascript Fetch to retrieve a C# Microsoft.AspNet.WebApi.Core IAsyncEnumerable Controller method. There is no error with Chrome or Edge but Firefox logs the following: –

enter image description here

I don’t know if it is a W3C standard to convert a HTTP Fetch into a Websocket for Streaming or how Microsoft manages to embed it’s Browser-Link virus 🙁

enter image description here

This is plain .html not .cshtml or Razor pages.

Can anyone shed light on what’s happening?

Here’s the JS code: –

    <script type="application/javascript">

    async function doit()
    {
          const decoder = new TextDecoder();

          const abortControl = new AbortController();
          const signal = abortControl.signal;
          setTimeout(() =>
            {
                abortControl.abort();
                console.log("*ABORTED*")
            }, 2000); // Simulate a cancel after 2 secs

          const fetchOpts = {signal:signal, method:'GET', cache:"no-cache"};
          const response = await fetch("https://localhost:7196/data/yieldfamilyname?inname=made", fetchOpts);
          const reader = response.body.getReader();

          let result = await reader.read();

          while (!result.done && !signal.aborted)
          {
                var personText = decoder.decode(result.value).replace(/[|]/g, '').replace(/^,/, '');
                var person = JSON.parse(personText);
                console.log("chunk is", person.familyName);

                try {
                    result = await reader.read();
                }
                catch (err) {
                    console.log(err.message);
                    break;
                }
          }
          reader.releaseLock();
    }

    doit()
</script>

After the first Yield these messages are logged: –

chunk is MADE fred.html:32:14

Use of Mutation Events is deprecated. Use MutationObserver instead. browserLink:3299:5701

Tools extension connected browserLink:50:1248

Initializing tools services… browserLink:50:1248

Initializing tools design surface service browserLink:50:1248

Initializing tools selection service browserLink:50:1248

Initializing tools tag navigation service browserLink:50:1248

Initializing tools hotkey manager service browserLink:50:1248

Host extension connected browserLink:50:1248

Initializing host services… browserLink:50:1248

chunk is MADEBGWE fred.html:32:14

Firefox can’t establish a connection to the server at wss://localhost:44312/ChunkIt/.
aspnetcore-browser-refresh.js:234:24

WebSocket failed to connect. aspnetcore-browser-refresh.js:18:15

chunk is . . . .

ABORTED fred.html:19:14

The operation was aborted. fred.html:38:15

How to escape Js file when file_get_contents used, wordpress?

I am calling a Js file frontend-script from one of the active plugins in my plugin, However code is running smoothly but when I run sniffer on my plugin, sniffer throws an error “All output should be run through an escaping function” found ‘file_get_contents’. Can anybody help me out?

I have tried:
echo ” . file_get_contents(WC_UBP_URL . ‘/assets/js/frontend-script.js’) . ”;
Its working fine, any better solution except this?

Post name parameter-passing issue in WordPress

I’m building a job listing page and job application form in my website using WordPress, Elementor, Contact Form 7 and ACF, I have created custom post type named career and add cutom fields for this custom pot type.

Also I have created template for the job pages using elementor theme builder, this template is meant to be used for any job that will be posted to the site.

The template has apply button at the end of the job page, where I need this button to pass the job title (custom field) to the application form page so I have set the link to be as following: “https://mywebsite.com/application_page/?page_title_value=page_title”

Then I have written JS code to get the parameter value from the link and to place it in the field which is as following:

<script>
    document.addEventListener('DOMContentLoaded', function() {
        var urlParams = new URLSearchParams(window.location.search);
        var pageTitleValue = urlParams.get('page_title_value');
        if (pageTitleValue) {
            document.querySelector('#form-field-field_06ac371').value = pageTitleValue;
        }
    });
</script>

What happens is that the field is auto populated with the following “page_title” not the value it self, I’m having issue with passing the page title or post title from the job page to the application form page, hopefully someone could help on solving this.

How to set the radians of the four corners of the echarts background?

I have been learning how to use ECharts recently.
I want to change the radians of the four corners of the echarts background, like this:

enter image description here

Operating environment:
echarts: 5.4.2
vue3

I tried using three methods.
1. Added option attribute: borderRadius: [20, 20, 20, 20], (this is the answer from chatgpt)

option = {
  backgroundColor :'#999',
  **borderRadius: [20, 20, 20, 20],**
  xAxis: {
    type: 'category',
    data: ['Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat', 'Sun']
  },
  yAxis: {
    type: 'value'
  },
  series: [
    {
      data: [120, 200, 150, 80, 70, 110, 130],
      type: 'bar'
    }
  ]
};

2. Set the radian of the echarts container itself.

<div ref="EnergyCalendar" style="border-radius: 20px;height: 320px; width: 100%;">
</div>

3. Wrap the div outside the echarts container and set the radian of the div.

<div style="border-radius: 20px;">
  <div ref="EnergyCalendar" style="height: 320px; width: 100%;">
  </div>
</div>

But none of these three methods are effective.

Can someone familiar with ECharts help explain how to implement this feature?
Thank you in advance for your answer!

Cypress request failing

In code, I am calling graphql API with request having parameters fields as array of 21 objects along with image.

If fields has 15 objects, the graphql API is went through fine. But, it is more than that, network request is failing.

Below is Cypress code wrote to fire graphql call..What can I do make graphql api successful, if fields parameter has more number of objects?

 cy.intercept('/graphql', (req) => {
aliasImageUpload(req, 'sendImage')});

export const aliasImageUpload = (req, operationName) => {
  const { body } = req;
  if (body.byteLength) {
    req.alias = `gql${operationName}ImageUpload`          
  }

}

How to handle ‘Interaction Not Found’ error for CreateFolderAdapter function with dynamic UUID appendage?

How can I mock the UUID generation for the CreateFolderAdapter function, where the generated UUID is dynamically appended to a path, while encountering an “Interaction Not Found” error for the mocked CreateFolder operation?
func (FolderAdapter) CreateFolderAdapter(
svc *quicksight.QuickSight, createFolderParams models.CreateFolderRequest) (*quicksight.CreateFolderOutput, error) {
createFolderInput := &quicksight.CreateFolderInput{
AwsAccountId: aws.String(appConfig.AwsAccountId),
FolderId: aws.String(uuid.New().String()),
FolderType: aws.String(“SHARED”),
Name: aws.String(createFolderParams.FolderName),
}
result, err := svc.CreateFolder(createFolderInput)
return result, err
}

path: /accounts/{accountId}/folders/{dynamic-folder-Id}