How can I show only custom fields with non-empty values while hiding those with no value and their corresponding CSS?

I have 3 custom fields freeware, trial and apk each with its CSS, now I want only the custom fields which have values to show up and which don’t have values don’t show up completely (With their CSS).

https://softcroco.com/download-shareit-apk/

Screenshot of the issue:

enter image description here

In the URL above freeware and apk CFs have value and trial doesn’t has value and still it’s CSS appear and then disappear when I open or refresh the page!

I want to make custom fields which don’t have values don’t appear completely!

My Code:

                                <span class="freeware"><?php echo get_post_meta($post->ID, 'freeware', true); ?></span>
                                <span class="apk"><?php echo get_post_meta($post->ID, 'apk', true); ?></span> 
                                <span class="trial"><?php echo get_post_meta($post->ID, 'trial', true); ?></span>
<script> const author = document.querySelector('.author'); const freeware = document.querySelector('.freeware'); const apk = document.querySelector('.apk'); const trial = document.querySelector('.trial'); if (author.textContent.trim() === '') {author.remove(); } if (freeware.textContent.trim() === '') { freeware.remove(); } if (apk.textContent.trim() === '') { apk.remove(); } if (trial.textContent.trim() === '') { trial.remove(); } </script>
.freeware { align-items: center; border: 1px solid rgba(38,153,251,.25); border-radius: 24px; color: #2699fb; display: inline-block; font-size: 12px; font-weight: 600; justify-content: center; padding: 0px 10px; border: 1px solid rgba(83,204,39,.25); color: #fff!important; background: #018660; margin-left: -5px;}.apk { align-items: center; border: 1px solid rgba(38,153,251,.25); border-radius: 24px; color: #ff003b; display: inline-block; font-size: 12px; font-weight: 600; justify-content: center; padding: 0px 10px; border: 1px solid #ff003b; color: #fff!important; background: #ff003b; margin-left: -5px; }.trial { align-items: center; border: 1px solid rgba(38,153,251,.25); border-radius: 24px; color: #ff003b; display: inline-block; font-size: 12px; font-weight: 600; justify-content: center; padding: 0px 10px; border: 1px solid #ff003b; color: #fff!important; background: #ff003b; margin-left: -5px; } .freeware, .apk, .trial { font-family: 'Roboto Slab'; font-size: 13px;} .infosoftware { display: flex; align-items: center; margin-top: -5px; }

A lot of CSS changes!

Expo in app purchase not working, what am I doing wrong?

I’m new to react native, recently coding about in app purchase.

below is my code for handle purchase

const handlePurchase = async (productId) => {
    try {
      setPressedItemId(productId);
      const items = Platform.select({
        ios: [productId],
        android: [productId],
      });
      const { responseCode, results } = await InAppPurchases.getProductsAsync(items);
  
      console.log('Get products response:', responseCode);
      console.log('Products:', results[0].productId);
  
      if (responseCode === InAppPurchases.IAPResponseCode.OK) {
        const { productId } = results[0];
        const purchase = await InAppPurchases.purchaseItemAsync(productId, null, null, true); 
        console.log('Purchase successful');
        console.log('Purchase:', purchase);
        
      } else {
        console.log('Failed to get product information:', responseCode);
        Alert.alert('错误', '无法购买商品', [{ text: '确定' }]);
    
        // 处理购买失败后的逻辑
      }
    } catch (error) {
      console.log('Failed to purchase:', error);
      Alert.alert('错误', '无法购买商品', [{ text: '确定' }]);
      
      // 处理购买失败后的逻辑
    } finally {
      setPressedItemId('');
    }
  };

however

console.log('Purchase successful');
        console.log('Purchase:', purchase);

was not activate after successful purchase.

where am I doing wrong?

I tried looking for different iap option, I still prefer expo in app purchase as it is most simple.

How to solve Cross-origin request error with JS? [duplicate]

I create a web-page, where except script html-tag everything else in body tag was created using Javascript (document.createElement).

Everything worked just fine on Firefox browser. I could see every element and its styles.
But when I opened same page in Google Chrome browser, it didn’t show anything and console gave a message about cross-origin request error.

So I want to ask, is there any ways to solve this error using JS without going into browser settings?

Cannot get div innerhtml to work correctly with highcharts chart object

So I am trying to work towards having this checkbox inside this to be clicked and it will switch what chart is displaying. That is not what I am worried about. After using ajax it correctly hits the function and returns an object from the function and I cannot use .innerhtml to get it to fill the div.

Here is my View code

<div class="row">
        <div class="col-lg-12 col-md-12 col-sm-12">
            <div class="card">
                <div class="card-block card-header height-px-55">
                    <h4 class="card-title">
                        Top 5 Drivers (Based on NAV) <span class="pull-right">
                            <input class="form-check-input chartSwitch" type="checkbox"
                                   data-charttoggle-enabled="true" data-charttoggle-opt-1="@Url.Action(nameof(HomePageController.Portfolio_Performance_TopDriversChart), nameof(HomePageController).GetControllerName(),  new { clientPortalDataSetID = Model.SelectedDataSetID, currencyID = Model.SelectedCurrencyID })"
                                   data-charttoggle-opt-2="@Url.Action(nameof(HomePageController.Portfolio_Performance_TopDriversChart_Percent), nameof(HomePageController).GetControllerName(),  new { clientPortalDataSetID = Model.SelectedDataSetID, currencyID = Model.SelectedCurrencyID })" id="top5Switch" checked data-on-text="@Model.Currency.CurrencySymbol" data-off-text="%" />
                        </span>
                    </h4>
                </div>
                <div class="card-block chartToggle" id="top5">
               
                </div>  
            </div>
        </div>
    </div>

Here is the javascript I am trying to get working.

<script>

    $(document).ready(function () {
        $('body').find('input[data-charttoggle-enabled="true"]').each(function () {
            var opt1 = $(this).attr('data-charttoggle-opt-1');
            var opt2 = $(this).attr('data-charttoggle-opt-2');
            var divtochange = $(this).parent().parent().parent().next();
            var id = $(divtochange).attr('class');
            alert(id);

            $.ajax({
                url: opt1,
                contentType: 'application/json; charset=utf-8',
                type: 'GET',
                dataType: 'json',
                context: this,                
                success: function (data) {                  
                    $(divtochange).innerhtml(data);
                },
                error: Functions.Elements.ajaxError
            })
        });      

    });
</script>

and here is what gets returned as data in the ajax success

public ActionResult ChartBuilderToPartialView(Charts.ChartBuilderResult result)
        {
            if (result.ChartCompleted)
            {
                return PartialView(SharedPageURLs.ChartView.GetDescriptionAttribute(), result);
            }
            else
            {
                return PartialView(SharedPageURLs.NoData.GetDescriptionAttribute(), new Models.NoDataErrorViewModel { Message = "No Data Found" });
            }
        }
    

This is what gets returned to the partial view.

and this next part is what is on the view that gets returned to the javascript as Data.

@using Highsoft.Web.Mvc.Charts
@using Highsoft.Web.Mvc.Charts.Rendering;
@model Client_Portal.Charts.ChartBuilderResult

@Html.Raw(Model.Renderer.RenderHtml(true))

@{
    var chartID = $"createChart{Model.Chart.ID}()";
}
<script>

    window[@{WriteLiteral(chartID); }];

</script>

and just a bit more here is the Model that is on that last partial view.

public class ChartBuilderResult
    {
        public bool ChartCompleted { get; set; }
        public ChartError Error { get; set; }
        public Highcharts Chart { get; set; }

        public HighchartsRenderer Renderer { get; set; }

        public class ChartError
        {
            public string Title { get; set; }
            public string Message { get; set; }
        }
    }
    

So really I think the issue is what is getting returned in the partial view window[@{WriteLiteral(chartID);};
Any idea how i can get what is returned there to be able to be inserted using .innerhtml?

module.exports with mongodb query returning undefined

I’m creating a module for recording a purchased item on MongoDB using module.exports. This is my first time using this module.exports.

I need to return the results of the updateOne() query because I need to use the modifiedCount information on my main.js. However, the results are returning as undefined. I read that I should either use a callback or promise, with promise being better. How do I exactly do that on my case?

Here’s my code from recordPurchase.js module:

const recordPurchase = (userid, item, price) => {
    db.collection("users").updateOne({ userid: userid }, { $push: { purchases: { item: item, price: price } } })
        .then((result) => {
            if (result.modifiedCount > 0) {
                console.log("Success");
                return result; //return the updateone information
            }
        })
        .catch((err) => {
            console.log("Error recording purchase: " + err)
        })
}

module.exports = recordPurchase;

And here’s how I’m calling it on the main.js

  if (msg.content === "test") {
    const userid = "12345";
    const item = "Some item name";
    const price = 10;
    const result = recordPurchase(userid, item, price)
    console.log(result); //returns updateone/result information
  }

How to organize API results in alphabetical order with Javascript?

I am using jQuery to make an AJAX call to pull data from an API –

const generateFilterOptions = () => {
$.ajax({
    method: 'GET',
    url: baseURL,
}).done(function (data, status, xhr) {
    let category = [];
    let categoryID = [];
    $.each(data, function (index, value) {
        category.push(value.field_resource_category);
        categoryID.push(value.field_resource_category_id);
    })
    category = [...new Set(category.toString().split(',').map(el => el.trim()))];
    categoryID = [...new Set(categoryID.toString().split(',').map(el => el.trim()))];
    category.forEach(
        (categoryName, id) =>
            $("#categoryFilter").append(`
                    <div class="d-flex align-items-start">
                        <input type="checkbox" name="${categoryName}" value="${categoryID[id]}" id="cat-${categoryID[id]}">
                        <label class="fs-6" for="cat-${categoryID[id]}">${categoryName}</label>
                    </div>
                    `)
    );
});

}

The values being returned are 1 to 2 digit numbers, and many of them are duplicates because it’s pulling the ID of a category, and many of the results share the same category.

The markup must include the name that being pulled, as well as the category ID, and it is for a filter so the results cannot be duplicated.

category.push(value.field_resource_category);
categoryID.push(value.field_resource_category_id);

I start by pushing the values into their own arrays

category = [...new Set(category.toString().split(',').map(el => el.trim()))];
categoryID = [...new Set(categoryID.toString().split(',').map(el => el.trim()))];

Then I use Set() to remove any duplicates. toString() to change from array to a string, split() to remove the comma, then .map with .trim() to remove whitespace

category.forEach(
    (categoryName, id) =>
        $("#categoryFilter").append(`
            <div class="d-flex align-items-start">
                <input type="checkbox" name="${categoryName}" value="${categoryID[id]}" id="cat-${categoryID[id]}">
                <label class="fs-6" for="cat-${categoryID[id]}">${categoryName}</label>
            </div>
        `)
);

Then I have a for each loop that returns the name and ID so I can put it into my HTML markup.

I need to manipulate the results so that they are in alphabetical order.

I tried to add in .sort(), but the problem is the ID that’s being returned is a string not a number, so 11 comes before 2 in alphabetical order

React loading third party script and calling a function from that script after

Trying to load in a form from a third party service

They want us to load the script for their service then another script to populate the form with html/data

//load the marketo script if it doesn't exist already
const loadMarketoScript = (callback) => {
  const existingScript = document.getElementById('mktoForms');
  
  if (!existingScript) {
    const script = document.createElement('script');
    s.id = "mktoForms";
    s.type = "text/javascript";
    s.async = true;
    s.src = "//app-ab11.marketo.com/js/forms2/js/forms2.min.js";

    document.getElementsByTagName("head")[0].appendChild(script);
    script.onload = () => { 
      if (callback) callback();
    };
  }
  if (existingScript && callback) callback();
};

export default loadMarketoScript;
//page calling the function to load the script
  const [loaded, setLoaded] = useState(false);
  useEffect(() => {
    loadMarketoScript(() => {
      setLoaded(true);
    });
  });

  useEffect(() => {
    MktoForms2.loadForm("//748-KKO-677.mktoweb.com", "748-KKO-677", 1169);
  }, [loaded]);

However MktoForms2 shows as undefined. Unsure what to do here.

How can I best convert a bbcode export from phpbb to ordinary HTML using JavaScript regex?

I’m trying to take an export from a phpbb forum and import it into one that uses standard HTML.

I looked around and do see there are bbcode to HTML converters here and there, for example https://coursesweb.net/javascript/convert-bbcode-html-javascript_cs

One problem is the code I’m trying to convert also includes extra characters with each markdown tag. For example, one post looks like this:

[quote=&quot;debable&quot;:1qp926wi]Do anybody have any ideas for healthy&quot;treats&quot; for little kids lunch boxes.[/quote:1qp926wi]

[color=#BF0000:1qp926wi]Look over the goodies Jennifer packs for her son in her blog Vegan Lunch Box:[/color:1qp926wi]

[url:1qp926wi]http&#58;//veganlunchbox&#46;blogspot&#46;com/[/url:1qp926wi]

In this example all the […] tags have an extra :1qp926wi added. And those characters, whatever they are, are different from post to post.

Is there a good way to convert bbcode like this, using JavaScript regular expressions, to HTML and ignoring those extra characters?

Thanks.

HTTP-only cookie update in Next js 13.4

I’m doing a fullstack application in Nest JS + Next JS.
For JWT authorization I use HTTP-only cookie, when I do login or register request in “use client” components, everything works correctly and HTTP-only cookies are set. However, when the access token expires, I need to update it by contacting the Nest JS server. I tried to make an axios interceptor to solve this problem. And if the function that needed the acess token (like the get current user function) is called in the SSR component, the interceptor sends a request to the server to get new tokens, then the tokens are not set in the client cookie. I don’t understand how I can set HTTP-only cookies from SSR components.

I tried all methods including middleware, interceptor, fetch and so on, but nothing worked.

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?