Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Firefox extension - save boolean to storage

Tags:

javascript

In the Firefox extension, I want to implement a simple toggle switch that will enable/disable an extension. A basic idea is that the change of state will be saved as a boolean into browser (sync) storage. The state should be read every time, so an extension will know if should work or not. But - my Javascript knowledge is so poor that I came into trouble.

Here is simple HTML:

<!DOCTYPE html>
<html>
  <head>
    <meta charset="utf-8">
    <link href="https://cdn.jsdelivr.net/npm/[email protected]/dist/css/bootstrap.min.css" rel="stylesheet">
    <link href="styles.css" rel="stylesheet">
    <script src="https://cdn.jsdelivr.net/npm/[email protected]/dist/js/bootstrap.bundle.min.js"></script> 
  </head>

  <body>
    <form id="form" class="ps-3 mt-3">
      <div class="form-check form-switch">
        <input class="form-check-input" type="checkbox" id="flexSwitch">
        <label class="form-check-label" for="flexSwitch">Plugin ON/OFF</label>
      </div>
    </form>

    <label id="test"></label>
    <br>
    <script src="options.js"></script>
  </body>
</html>

And here is a simple JS file:

function CheckAndSave()
{
    var state = document.getElementById("flexSwitch");
    if(state.checked)
    {
        document.getElementById('test').innerHTML = 'ON';
        browser.storage.sync.set({ delovanje: 1 });
    }
    else
    {
        document.getElementById('test').innerHTML = 'OFF';
        browser.storage.sync.set({ delovanje: 0 });
    }
    restoreState();
}

function restoreState()
{
    //browser.storage.sync.get("delovanje", function(items) { console.log(items)});
    let getting4 = browser.storage.sync.get("delovanje");
    getting4.then(setCurrentChoice, onError);

    function onError(error) {
        console.log(`Error: ${error}`);
      }

    function setCurrentChoice()
    {
      var toggle = document.getElementsByName("flexSwitch");
      if (result.delovanje === 1)
        toggle.checked = true; 
      else
        toggle.checked = false;
    }
}

document.addEventListener("DOMContentLoaded", restoreState);
document.getElementById("flexSwitch").addEventListener('change', CheckAndSave);

What is wrong with my code? Is my way of saving Boolean ok? I tried to write to the console for "debugging", but I don't know how to do it - this is a pop-up after a user press an icon, and nothing is shown in the console.

like image 696
JanezKranjski Avatar asked Dec 03 '21 10:12

JanezKranjski


People also ask

How do I enable Web Storage API in Firefox?

To enable/disable Web Storage in Firefox:Search for " dom. storage. enabled ", and double-click on the entry (or use the adjacent toggle button) to toggle its enabled/disabled state.

Does localStorage work on Firefox?

Firefox clears data stored by extensions using the localStorage API in various scenarios where users clear their browsing history and data for privacy reasons. Data saved using the storage.

Where is extension data stored Firefox?

Most add-on data is stored in a folder in the Firefox user profile. However, some information is stored in the profile folder also. It's possible that there is a problem with the file(s) that store the extensions registry. Type about:support in the address bar and press enter.

Where are add-ons stored in Firefox?

Most add-on data is stored in a folder in the Firefox user profile. However, some information is stored in the profile folder also. It’s possible that there is a problem with the file (s) that store the extensions registry. Type about:support in the address bar and press enter.

How do I access site storage settings in Firefox?

You can access site storage settings in your Firefox Settings as follows: In the Menu bar at the top of the screen, click Firefox and select Preferences. Click the menu button and select Settings. Select the Privacy & Security panel and go to the Cookies and Site Data section. In the Cookies and Site Data section, click Manage Data….

How do I backup my Firefox extensions and history?

FEBE allows you to quickly and easily backup your Firefox extensions, history, passwords, and more. In fact, it goes beyond just backing up -- It will actually rebuild your saved files individually into installable .xpi files. It will also make backups of files that you choose. These can't get your data back, but will help in the future.

How do I use the API to store the extension data?

To use this API you need to include the "storage" permission in your manifest.json file. Each extension has its own storage area, which can be split into different types of storage. Although this API is similar to Window.localStorage it is recommended that you don't use Window.localStorage in the extension code to store extension-related data.


3 Answers

Most of all you did a mistake here:

  function setCurrentChoice(result)
    {
      var toggle = document.getElementsByName("flexSwitch");
      if (result.delovanje === 1)
        toggle.checked = true; 
      else
        toggle.checked = false;
    }

In this case, toggle will be array like object, but not the element you expect. You should use document.getElementById("flexSwitch") as previously.

Another issue that you missed an argument in the setCurrentChoice function. It should take settings like this:

 function setCurrentChoice(result){...}

I would also suggest to hide the logic of getting element behind the scene by either wrapping it to the function:

const getToggle = () => document.getElementById("flexSwitch")

Or even move it to the separate class and encapsulate all logic there:

class Toggle {
  constructor() {
    this._el = document.getElementById("flexSwitch");
  }

  setCheck(value) {
    this._el.checked = value;
  }
}

Here is the working sample:

function CheckAndSave()
{
    var state = document.getElementById("flexSwitch");
    if(state.checked)
    {
        document.getElementById('test').innerHTML = 'ON';
        chrome.storage.sync.set({ delovanje: 1 });
    }
    else
    {
        document.getElementById('test').innerHTML = 'OFF';
        chrome.storage.sync.set({ delovanje: 0 });
    }
}

function restoreState()
{
    chrome.storage.sync.get("delovanje",setCurrentChoice );

    function setCurrentChoice(result)
    {
      var toggle = document.getElementById("flexSwitch");
      if (result.delovanje === 1) 
        toggle.checked = true; 
      else
        toggle.checked = false;
    }
}

document.addEventListener("DOMContentLoaded", restoreState);
document.getElementById("flexSwitch").addEventListener('change', CheckAndSave);

This approach will help you reduce the code and accidental mistakes.

P.S. Here is how I worked with the storage

like image 145
Drag13 Avatar answered Oct 22 '22 18:10

Drag13


The code seems okay, while there are some things I would change (for refactoring purposes to match my flavour) I think it should be working without much issue.

In any case verify the following.

  1. The browser.storage.sync API is only available from extensions, so check that the HTML and JS that you are posting are actually part of the extension that you are using.
  2. The manifest.json is what tells the browser what resources can your extension access, verify that you did add the "storage" permission on there here you can read more about it for chrome, though it will be the same for other browsers
  3. For debugging purposes always remember that the browser lets you have great tools. Read more about developer tools, but as a starter I would tell you to open them and put a debugger statement there where you feel like there's something that isn't working as expected. And then with the console start looking for the properties that you are not finding.
  4. To log items to the console use console.log('XXX') and it should show what you want
like image 40
Alejandro Vales Avatar answered Oct 22 '22 20:10

Alejandro Vales


I think the problem is that the change event is not fired when setting toggle.checked with JavaScript. Just call CheckAndSave(); from the end of setCurrentChoice.

like image 1
Alien426 Avatar answered Oct 22 '22 20:10

Alien426