Django Select2 Autocomplete: How to Pass Extra Parameter (argId) to the View?

I’m using Django with django-autocomplete-light and Select2 to create an autocomplete field. The Select2 field is dynamically added to the page when another field is selected. It fetches data from a Django autocomplete view, and everything works fine.

Now, I need to filter the queryset in my autocomplete view based on an extra parameter (argId). However, I’m not sure how to pass this parameter correctly.

JavaScript (Select2 Initialization)

function getElement(argId) {
  let elementSelect = $("<select></select>");
  let elementDiv = $(`<div id='element_id' style='text-align: center'></div>`);
  elementDiv.append(elementSelect);

  $(elementSelect).select2({
      ajax: {
          url: "/myautocomplete/class",
          data: function (params) {
              return {
                  q: params.term,  // Search term
                  arg_id: argId    // Pass extra parameter
              };
          },
          processResults: function (data) {
              return {
                  results: data.results  // Ensure correct format
              };
          }
      },
      placeholder: "Element...",
      minimumInputLength: 3
  });

  return elementDiv; 

}

Django Autocomplete View

class ElementAutocomplete(LoginRequiredMixin, autocomplete.Select2QuerySetView):

      def get_queryset(self):
          qs = MyModel.objects.filter(...)

I want to pass argId from JavaScript to the Django view so that the queryset is filtered accordingly. However, I am not sure if my approach is correct or how to achieve this.

Appreciate any suggestions or improvements. Thanks!

How to share Redux state between microfrontends in different modules?

We have 3 separate development teams, each responsible for a different module of a large monolithic React application. We’re now migrating to a microfrontend architecture, where each module is exposed as a separate standalone application, consumed by a host application that we don’t control.

Important context:

The host app is completely separate — it’s not part of our codebase.

Previously, all modules shared a single Redux store with reducers like: ui, settings, translations, user.

After splitting the app into microfrontends, each module now independently fetches settings, user, etc., causing duplicated network requests and inconsistent state.

Question:
What’s the best way to share state (or data) between microfrontends, given that:

Only one of them may initially load the data

Others should be able to access the data if it’s already loaded

We considered exporting the store outside and having all microfrontends subscribe to it, but then the shared store might initialize too early, even when no frontend is mounted, and make requests preemptively.

Any best practices or patterns for this setup?
We’re open to solutions like shared singleton stores, global event buses, custom loaders, etc.
Appreciate any input or real-world experience!

How to track breakpoints which are added during debugging proces

I am developing a visual studio code plugin and I am trying to keep track of the breakpoints which have been set/triggered. Right now I am able to track all the breakpoints which have been set before the debugger runs. However when the user adds a breakpoint during the debug proces I cannot track it.

I log the breakpoint by iterating through the breakpoints and setting them based on index in an array. When onDidSendMessage gets triggered I retrieve the message.body.hitBreakpointIds and that way I can retrieve the correct index from my array in which I have set them. However this same approach does not work when I try to add breakpoints during the debugprocess. Is there a way to achieve this?

My code:

import * as vscode from 'vscode';
import { Session } from "./../models/Session";
import { Breakpoint } from "./../models/Breakpoint";
import { Event } from "./../models/Event";
import { Log } from "./../models/Log";
import { BREAKPOINT, LOG, SESSION } from './../enum/event_enum';
import { getSnapshotWith, insertBp, insertEvent, insertSnapshot } from './../dbHelper/insert';
import { isEmptyObject } from './../helpers/isEmpty';
import { snapshot } from './snapshot';
import { Snapshot } from './../models/Snapshot';

interface IDebugSessionMonitor {
    startMonitoring(): void;
}

export class DebugSessionMonitor implements IDebugSessionMonitor {
    private map: Record<any, any> = {};
    private isRunning = false;
    private deletedSession: string | null = null;

    constructor() {
        this.startMonitoring();
    }

    public startMonitoring(): void {
        vscode.debug.onDidStartDebugSession(this.handleStartDebugSession.bind(this));
        vscode.debug.registerDebugAdapterTrackerFactory('*', {
            createDebugAdapterTracker: this.createDebugAdapterTracker.bind(this)
        });
        vscode.debug.onDidChangeBreakpoints(this.procesBreakpointDuringDebug.bind(this));
        vscode.debug.onDidTerminateDebugSession(this.handleTerminateDebugSession.bind(this));
    }

    private async handleStartDebugSession(session: vscode.DebugSession): Promise<void> {
        if (this.isRunning) {
            this.isRunning = false;
            return;
        }

        this.initializeSession();
        const ss = await this.createSession();
        await this.processBreakpoints(session, ss);
        this.captureSnapshots(ss);
        await this.finalizeSession(session, ss);
    }

    private initializeSession(): void {
        this.deletedSession = null;
        this.isRunning = true;
    }

    private async createSession(): Promise<any> {
        let ss = await Session.create({});
        await Event.create({ session_id: ss.session_id, type: SESSION.START });
        return ss;
    }

    private async processBreakpoints(session: vscode.DebugSession, ss: any): Promise<void> {
        for (const [index, breakpoint] of vscode.debug.breakpoints.entries()) {
            if (breakpoint instanceof vscode.SourceBreakpoint) {
                console.log(index);
                let bp = await insertBp(breakpoint, session.id, this.map);
                await insertEvent(BREAKPOINT.SET, { breakpoint_id: bp.breakpoint_id, session_id: ss.session_id });
                this.map[index] = bp.breakpoint_id;
            }
        }
    }

    private async captureSnapshots(ss: any): Promise<void> {
        let snapAllFiles = await snapshot(false);
        await insertSnapshot(snapAllFiles);

        let snapActiveFile = await snapshot(true);
        let af: any[] | typeof Snapshot | null = await insertSnapshot(snapActiveFile);

        if (!af || af.length === 0) {
            af = await getSnapshotWith({ hash: snapActiveFile[0].hash });
        } else {
            af = af[0];
        }

        let ev = await Event.findOne({where: { session_id: ss.session_id, type: SESSION.START }});
        ev.snapshot_id = af.snapshot_id;
        await ev.save();
    }

    private async finalizeSession(session: vscode.DebugSession, ss: any): Promise<void> {
        this.map["id"] = ss.session_id;
        ss.is_debug = !session.configuration?.noDebug;
        await ss.save();
    }

    private createDebugAdapterTracker(session: vscode.DebugSession) {
        return {
            onDidSendMessage: this.handleDebugAdapterMessage.bind(this),
            onError: (error: any) => console.error("Debug Adapter Error:", error),
            onExit: (code: any, signal: any) => console.log(`Debug Adapter closed: code=${code}, signal=${signal}`)
        };
    }

    private async handleDebugAdapterMessage(message: any): Promise<void> {
        try {
            if (isEmptyObject(this.map)) return;

            if (message.type === 'event' && message.event === 'output') {
                await this.processDebugOutput(message);
            }

            if (message.type === 'event' && message.event === 'stopped' && message.body.reason === 'breakpoint') {
                await this.processBreakpointHit(message);
            }
        } catch (err) {
            console.log("Error during breakpoint processing:", err);
        }
    }

    private async processDebugOutput(message: any): Promise<void> {
        const output = message.body.output;
        if (!output.includes("js-debug/")) {
            const logs = await Log.create({ stream: LOG.OUTPUT, output });
            await Event.create({ log_id: logs.log_id, session_id: this.map["id"], type: SESSION.LOG });
        }
    }

    private async processBreakpointHit(message: any): Promise<void> {
        console.log(message.body.breakpoints);
        const activeSession = vscode.debug.activeDebugSession;
        const breakpointIds = message.body.hitBreakpointIds || [];

        console.log(`Breakpoint triggered in session: ${activeSession?.name}`);
        console.log(`BREAKPOINT TRIGGERED IDs: ${breakpointIds}`);

        if (breakpointIds.length > 0) {
            for (const breakpointId of breakpointIds) {
                let bpId = this.map[breakpointId];
                if (bpId !== undefined) {
                    await Event.create({ breakpoint_id: bpId, session_id: this.map["id"], type: BREAKPOINT.TRIGGER });
                }
            }
        } else {
            await this.handleFallbackBreakpoint(message);
        }
    }

    private async procesBreakpointDuringDebug(session: vscode.DebugSession) : Promise<void> {
               //this is where I fail and have no idea how to tackle this problem
  
     }

    private async handleFallbackBreakpoint(message: any): Promise<void> {
        const stackTrace = await vscode.debug.activeDebugSession?.customRequest('stackTrace', { threadId: message.body.threadId });
        if (stackTrace && stackTrace.stackFrames.length > 0) {
            const frame = stackTrace.stackFrames[0];
            console.log(`Fallback: breakpoint at ${frame.source?.path}:${frame.line}`);
        }
    }

    private async handleTerminateDebugSession(session: vscode.DebugSession): Promise<void> {
        let sessionId = this.map.id;
        if (sessionId && this.deletedSession === null) {
            this.deletedSession = session.id;
            await Event.create({ session_id: sessionId, type: SESSION.END });
        }
        this.map = {};
    }
}

Hide Subtitles option in fullscreen mode on iOS – video.js library

How can I disable subtitles option in video.js player when using fullscreen mode on iOS devices?
Subtitles are not enable in config, I’ve added these options to video.js

  nativeAudioTracks: false,
  nativeVideoTracks: false,
  nativeTextTracks: false,
  textTrackSettings: false,
  preloadTextTracks: false,

Subtitles option is not showing up on standard view, but only on iOS fullscreen. A i can see Fullscreen video is controlled by iOS software, but is it possible to disable this option somehow?

iOS fullscreen Screenshot

Trying to add query parameters to a URL but params.set not doing anything, [closed]

I am trying to add a query search parameter onto a URL, it is getting all the parts but not putting them together. The alerts are just my debugging.

let barcode = "123";
alert(barcode); // correctly shows the numerical version of the barcode
const url = new URL("https://example.com/library/search.by.code.php");
const params = new URLSearchParams(url.search);

alert(url); // shows the url correctly
params.set('code', barcode);
params.toString();
alert(params); // correctly shows "code=67862323" 
alert(url); // still shows url without parameters

Using jest fake timers to advance when testing cache ttl

I am using a ttl cache library to cache my data and let it expire after a certain duration.

import TTLCache from '@isaacs/ttlcache';

const DATA_KEY = 'barks';

const dataCache = new TTLCache({ ttl: 60_000, checkAgeOnGet: true, max: 1 });

export const getCachedData = async (): Promise<string> => {
    if (!dataCache.has(DATA_KEY)) {
        dataCache.set(DATA_KEY, 'new-item');
    }

    console.log('remainingTTL', dataCache.getRemainingTTL(DATA_KEY));

    return dataCache.get(DATA_KEY);
};

I want to test what happens after the ttl expires, thus the need to use the jest fake timers but I cannot get the timer to advance beyond the ttl expiry:

jest.useFakeTimers();

describe('ttlCaching', () => {
    test('Return undefined when ttl has expired', async () => {
        expect(await getCachedData()).toEqual('new-item');

        jest.advanceTimersByTime(100_000);

        expect(await getCachedData()).toEqual(undefined);
    });
});

When logging the ttl, the ttl has not expired yet I am advancing the timers.

I try to open the npm start file on my Windows OS computer and nothing happens [closed]

The service requires determining and fixing an issue preventing a cryptocurrency website from starting up, particularly while executing the ‘npm start’ command on Windows. Additionally, the website requires continuous troubleshooting and maintenance service. Note that the issue might be related to the website’s code or its functionality. The website is not yet hosted and the service does not involve hosting it. There’s a necessity to examine the provided site files.

I try to open the npm start file on my Windows OS computer and nothing happens, but on my friend’s MacOs computer everything works!

Nothing happening all

Select multiple options in dropdown list and add to url

I would like that I can choose brand 1 and brand 2 and brand 3.
Is it possible that I can choose multipe options from a dropdown list without pressing “strg”? Just by clicking? Like a checkbox listed as a dropdown menu? And that the option values are just joined in the url: brand1,2,3

<form action="" method="GET" id="myForm">
    <select name="channel" id="0" onChange="changeURL()">
        <option value="" selected disabled>Choose Channel</option>
        <option value="facebook-ads">Facebook ads</option>
        <option value="instagram-ads">Instagram ads</option>
    </select>
    <select name="brand" id="1" onChange="changeURL()">
        <option value="" selected disabled>Choose Brand</option>
        <option value="brand-1">brand 1</option>
        <option value="brand-2">brand 2</option>
        <option value="brand-3">brand 3</option>
    </select>
</form>
<p id="test"></p>
<script>
// Initialize the filters array
var filters = [];

// Initialize filters with any pre-selected values on page load
document.addEventListener("DOMContentLoaded", function() {
    // Get all select elements
    var selects = document.querySelectorAll('select');
    
    // Initialize the filters array with the correct size
    filters = new Array(selects.length).fill("");
    
    // Check for any pre-selected options
    selects.forEach(function(select) {
        if (select.selectedIndex > 0) { // If something is selected (not the disabled option)
            filters[select.id] = select.value;
        }
    });
    
    // Update URL on initial load
    changeURL();
});

function changeURL() {
    var yourUrl = "https://yourdomain.com"; // Base URL
    var queryParams = [];
    
    // Update the current changed value
    var selects = document.querySelectorAll('select');
    selects.forEach(function(select) {
        filters[select.id] = select.value;
    });
    
    // Build query parameters, only including valid values
    selects.forEach(function(select) {
        var paramName = select.name;
        var paramValue = filters[select.id];
        
        // Only add to URL if there's a valid value
        if (paramValue && paramValue !== "" && paramValue !== "undefined") {
            queryParams.push(paramName + "=" + paramValue);
        }
    });
    
    // Add the query string if we have parameters
    if (queryParams.length > 0) {
        yourUrl += "?" + queryParams.join("&");
    }
    
    // Display the result
    document.getElementById("test").innerHTML = yourUrl;
}
</script>

Thank you in advance for your help!

I do not understand why in Django Rest Framework, my serializer do not serialize the file I gave it

I do not understand why in Django Rest Framework, my serializer do not serialize the file I gave it

I do a request like this in my Vue.js file:

  const formData = new FormData();
  formData.append("file", file.value);
  formData.append("amount_pages", "" + 12);

  try {
    const response = await fetch(BACKEND_URL, {
      method: "POST",
      body: formData,
    });
  } catch (e: any) {
    console.error(e);
  }

On a view like that in my Django/DRF app:

from rest_framework import generics, serializers

class MySerializer(serializers.Serializer):
    file = serializers.FileField(required=True)
    amount_pages = serializers.IntegerField()

    class Meta:
        fields = [
            "file",
            "amount_pages",
        ]

class MyView(generics.CreateAPIView):
    def post(self, request, *args, **kwargs):
        serializer = MySerializer(data=request.data)
        print(request.data)  # <QueryDict: {'file': [<TemporaryUploadedFile: part1.pdf (application/pdf)>], 'amount_pages': ['12']}>
        print(serializer.data) # {'file': None, 'amount_pages': 12}

I have already took a look at other issues but have not found any answers.

Next.js how to handle root with dynamic route [locale] (Localization)

I have a problem or I want some idea/solution how should I approach this.

My structure of my Next.js project is this -> App/[locale] -> and here I handle different locales /cs, /da, /de etc. etc…But my problem is I DONT have a ROOT page.js and layout.js. And the “Main” page only works with defined locale which is correct! But how should I handle root page and layout? I thought of using a redirect based on user‘s defined language of browser (and of course I have a default locale). But Is it good for SEO etc..?
I have a middleware.js:

import { NextResponse } from "next/server";

const SUPPORTED_LOCALES = ['cs', 'sk', 'da', 'de'];
const DEFAULT_LOCALE = 'cs';

function detectLocale(acceptLanguage) {
  if (!acceptLanguage) return DEFAULT_LOCALE;
  
  const languages = acceptLanguage.split(',');
  for (const lang of languages) {
    const [code] = lang.split(';')[0].toLowerCase().split('-');
    if (SUPPORTED_LOCALES.includes(code)) {
      return code;
    }
  }
  return DEFAULT_LOCALE;
}

export function middleware(req) {
  const url = req.nextUrl.clone();
  const { pathname } = url;

  if (pathname === '/') {
    const locale = detectLocale(req.headers.get('accept-language'));
    url.pathname = `/${locale}`;
    return NextResponse.redirect(url);
  }

I also had an idea to make a main page without the locale and user could just click on language he wants to be in. (www.domain.eu) and there he could redirect for the language he wants.

Is there a better option or is one of this approaches correct?

Is there a function to preserve the formatting when using apps script to input data from Google Sheets to Google Slides?

I am using Google Apps script to input data from Google Sheets to Google Slides. I am want the value and the formatting shown in Google Sheets to transfer over to Google Slides. For example: Placeholder {{A4}} shows -20 in red. The value -20 is transferring over but I can’t get the script to preserve the red color. {{A7}} shows +40 in green but it will not show in green in google slides. I have tried multiple scripts (loaded in the Variable google sheet file). One example is the script below. Is there any way to make this happen? The two files I have been using are also attached.

Variable Google Sheet file
Google Slides file

function updateTemplate() {
  const presentationID = "1tDFPYHd-U1mp5h5tC0VRkXciSS4wfCKA6FS9TmlseDg";
  const presentation = SlidesApp.openById("1tDFPYHd-U1mp5h5tC0VRkXciSS4wfCKA6FS9TmlseDg");
  const values = SpreadsheetApp.getActive().getDataRange().getValues();
  const slides = presentation.getSlides();

  let placeholderMap = {};

  slides.forEach((slide, slideIndex) => {
    const shapes = slide.getShapes();
    shapes.forEach((shape, shapeIndex) => {
      if (shape.getShapeType() === SlidesApp.ShapeType.TEXT_BOX && shape.getText) {
        const text = shape.getText().asString();
        values.forEach(([placeholder, value]) => {
          if (text.includes(placeholder)) {
            if (!placeholderMap[placeholder]) {
              placeholderMap[placeholder] = [];
            }
            placeholderMap[placeholder].push({ slideIndex, shapeIndex, originalText: text });
          }
        });
      }
    });
  });

  // Replace the placeholders
  values.forEach(([placeholder, value]) => {
    presentation.replaceAllText(placeholder, value.toString());
  });

  // Store the placeholder map as JSON in Script Properties
  PropertiesService.getScriptProperties().setProperty("placeholderMap", JSON.stringify(placeholderMap));
  Logger.log("Template updated and placeholder map saved.");
}

`

I’m still confused about coverage part of each and every line of the react code , how can i cover this lines?

How to make coverage of the uncovered lines with jest test in react, for example

**setShow && setShow(false)**; and one more scenario which I faced as uncovered 
and this type of scenarios   **if (fieldSelectOptions?.[0]?.options?.[0] && 'parentFormId' in fieldSelectOptions?.[0]?.options?.[0]) {** in this some cases i need optional check if i remove then the lines are getting covered otherwise it is not getting covered what should we do with this 

Why does my chrome extension only work when I inspect the popup?

I am currently writing up a chrome extension using JavaScript that should in theory run in the background, but I’m having some trouble getting it to. I wanted to create an extension to help me focus, since I get distracted easily. So I set up a system in which any user can input any URL, and it will take this value and add it to a list of banned URLs, which gets stored locally using chrome.storage. Then, whenever a tab is updated, which is measured using chrome.tabs.onUpdated, it checks the URL of every tab, if the URL is in the set of banned URLs, the tab gets closed. The full script is

document.addEventListener('DOMContentLoaded', () => {
    /* URL Data from the extension UI (HTML file) */
    /* -> InterfaceType: Buttons */
    const confirmAddButton = document.getElementById("confirmAddButton"); // Confirm add url from 'urlToAdd' textbox
    const confirmRemoveButton = document.getElementById("confirmRemoveButton"); // Confirm remove url from 'urlToRemove' textbox
    /* -> InterfaceType: Textboxes */
    const urlToAdd = document.getElementById("urlToAdd"); // User inputted url to be added to the list of banned urls.
    const urlToRemove = document.getElementById("urlToRemove"); // User inputted url to be added to the list of banned urls.

    /* Clear Everything from a particular storage key */
    /* -> InterfaceType: Buttons*/
    const clearAllUrls = document.getElementById("clearAllUrls"); // Removes all data from the storage key 'urlKey'

    /* Display*/
    const display = document.getElementById("display"); // The display

    // When confirmAddButton is clicked:
    confirmAddButton.addEventListener('click', () => {
        // Get all data from 'urlKey' storage
        chrome.storage.local.get(['urlKey']).then((result) => {
            let bannedUrlsList = result.urlKey // Assign result to temporary list
            // Checks to see if the urlToAdd is already in the list of bannedUrls &0>
            if (bannedUrlsList.includes(urlToAdd.value) == false) { // >&0: If it is not, add it to the list
                bannedUrlsList = bannedUrlsList.concat(urlToAdd.value) // Add urlToAdd.value to the temporary list
                // set the 'urlKey' storage to the temporary list which has the added url in it
                chrome.storage.local.set({'urlKey': bannedUrlsList}).then(() => {
                    display.innerHTML = `${urlToAdd.value} was added to the list of banned urls`
                })
            } else { // >&0: Else, alert the user that the url is already in the list
                display.innerHTML = `${urlToAdd.value} is already in the list`
            }
        })
    });

    // When clearAllUrls is clicked:
    clearAllUrls.addEventListener('click', () => {
        chrome.storage.local.set({'urlKey': []}).then(() => {
            display.innerHTML = `The list of banned urls has been completely wiped`
        })
    });

    // Function checks all tabs to make sure they aren't banned, closes them if they are
    function isValidTab() {
        // Get all the open tabs from chrome
        chrome.tabs.query({windowId: chrome.windows.WINDOW_ID_CURRENT}, (tabs) => {
            for (let i = 0 /*i starts at zero*/; i < tabs.length /*i must be less than the numbe of tabs*/; i++ /*increments by one each iteration*/) {
                const currentTabUrl = tabs[i].url; //For each tab, assign the tabs URL to a value 'currentTabUrl'
                // Get the list of banned URLs from the 'urlKey' storage
                chrome.storage.local.get(['urlKey']).then((result) => {
                    let bannedUrlsList = result.urlKey // Assign result to temporary list
                    // If the list of banned urls contains the url of the current tab, close the tab, else, leave it be
                    if (bannedUrlsList.includes(currentTabUrl)) {
                        chrome.tabs.remove(tabs[i].id) // Closes the current tab
                        display.innerHTML = `${currentTabUrl} was closed`
                    } else {
                        _ = 1 // Do nothing
                    }
                })
            }
        })
    };

    // Every time a tab is updated or changed, or a new tab is created, close all banned tabs
    chrome.tabs.onUpdated.addListener(() => {
        isValidTab()
    });
}); 

This is all well and good, but for some reason, this code only works when the console is open. For example, lets say I add the URL https://www.derivative-calculator.net/ to the list of banned URLs list. If I were to now open that website, nothing would happen, reloading does nothing, it’s as if the extension wasn’t there. However, if I inspect the extension, and reload the tab, both it and the console close immediately. This is not what I want to happen, the extension should run without the console needing to be open.

I’ve tried removing every reference to the console from the code, I’ve placed comments everywhere so that I know exactly what and where everything is, I referred to the list of banned URLs directly from the storage key, and I’ve restarted from scratch 3 times, yet still the same problem persists. I’ve set the code to be a service worker in the manifest.json file, and all the permissions for the chrome APIs are in the manifest.json as well.

{
    "permissions": [
        "tabs",
        "storage"
    ],
    "background": [
        "service_worker": "Code.js"
    ]
}

If the extension didn’t work at all, that would just mean that my code doesn’t work, but my code does work when the console is open, and only when it’s open. I have no clue what is causing this, so any help is appreciated.

Pass an HTML Attribute to another HTML Attribute onClick

I am using ng-repeat to display a list of items in the page.
One of the columns allows user to select a choice, and then click on “Save” button.

However, at the controller-function, I am unable to retrieve the user’s choice.
Is there any feasible manner to retrieve the selected check-box?
For e.g. passing the selected-check-box value in the ng-click function as a parameter.

Please let me know any best feasible approach.
Thank you.

A user can select from Checkbox (or drop-down): Bike or Car
enter image description here

Generating HMAC-SHA256 Token in JavaScript to Match PHP Output

I am trying to call an API written in PHP that generates a token using the following method:

base64_encode(hash_hmac("sha256", "<api-key>", "<email>:<gmdate('y-m-d H')>"))

In JavaScript (Node.js), I attempted to generate the same token with this code:

import crypto from "crypto";

function generateToken(apiKey, email) {
  const timestamp = new Date().toISOString().slice(0, 13).replace("T", " ");
  const data = `${email}:${timestamp}`;

  const hash = crypto.createHmac("sha256", apiKey).update(data).digest("hex");
  return Buffer.from(hash).toString("base64");
}

// Example usage
const apiKey = "your-api-key";
const email = "[email protected]";
const token = generateToken(apiKey, email);

console.log(token);

However, the output of this function does not match the token generated by the PHP code, and I am unable to authenticate the API request.