Skip to main content

Javascript: Global array loose content between events [duplicate]

I am trying to have an array be available for all my events. I have defined it at the top of my code right after $(document).ready

When I use it in my first event I fill it up with values and that works well. When I try to use it in another events, the array exist but it is now empty. Note, the second event cannot be executed before the first one.

In the code below, my first event is $('#fileInput').on('change' and my second event is $("#btnSubmit").on('click'.

The array is named fileListProperty and I have tried the following to make it global:

  • var fileListProperty =[];
  • window.fileListPropery = [];

In both case it gets created, filled up by the first event but gets emptied when second event gets called on.

Here's the code:

$(document).ready(() => {
  var fileListProperty = [];

  $("#loaderContainer").hide();

  /********************************************************************
   * Click on browse button trigger the click on hidden type=file input
   *******************************************************************/
  $("#browseBtn").on('click', () => {
    $('#btnSubmit').addClass("btnSubmitDisabled");
    $("#formList").empty();
    $('#fileInput').click();
  });

  /********************************************************************
   * When a file as been selected
   *******************************************************************/
  $('#fileInput').on('change', () => {

    $("#loaderContainer").show();

    var files = $("#fileInput").prop("files"); //get the files
    var fileListValid = false;
    var fileListProperty = [];
    var nbFiles = 0;

    const dt = new DataTransfer();

    //Validate each files
    Array.from(files).forEach((file, index) => {

      if (file.name.indexOf(".pp7") >= 0) {

        let onLoadPromise = new Promise((resolve, reject) => {

          let reader = new FileReader();
          reader.onloadend = (evt) => { //When file is loaded. Async

            let fileContent = evt.target.result; //event.target.result is the file content

            if (fileContent.substr(0, 2) === "PK") { //File content that start with PK is most likely a ZIP file
              resolve(file.name, index);
            } else {
              reject(file.name, index);
            }
          }
          reader.readAsText(file);
        });

        onLoadPromise.then(
          (fileName, zeIndex) => {
            dt.items.add(file);
            fileListProperty.push({
              fileIndex: zeIndex,
              fileName: file.name,
              valid: true,
              message: "Valid PP7 file.",
              pctConversion: 0
            });
          },
          (fileName, zeIndex) => {
            fileListProperty.push({
              fileIndex: zeIndex,
              fileName: file.name,
              valid: false,
              message: fileName + " isn't a valid PP7 file. Cannot be converted.",
              pctConversion: 0
            });
          }
        ).finally(() => {
          nbFiles++;

          if (nbFiles === files.length) {
            DisplayFileList();
          }
        });

      } else {
        fileListProperty.push({
          fileIndex: index,
          fileName: file.name,
          valid: false,
          message: file.name + " isn't a PP7 file. Cannot be converted.",
          pctConversion: 0
        });
        nbFile++;

        if (nbFiles === files.length) {
          DisplayFileList();
        }
      }
    });

    var DisplayFileList = () => {

      //Check if at least 1 files is valid
      fileListProperty.forEach((propJSON) => {
        if (propJSON.valid) fileListValid = true;
      });


      $("#fileInput").prop("files", dt.files); // Assign the updates list



      $("#loaderContainer").delay(1500).hide(0, () => {
        BuildFormList();

        if (fileListValid) {
          $('#btnSubmit').removeClass("btnSubmitDisabled");
        } else {
          $('#pp7Form').submit((evt) => {
            evt.preventDefault();
          });
        }
      });


      //$("#fileInput").prop("files", null);
    }

    var BuildFormList = () => {

      fileListProperty.forEach((listProperty) => {

        $("#formList").append(
          `<div class="fileContainer" idx="${listProperty.fileIndex}">` +
          `    <div class="fileName">${listProperty.fileName}</div>` +
          `    <div class="fileMessage ${listProperty.valid ? 'valid' : 'error'}">${listProperty.message}</div>` +
          `</div >`);
      });
    }
  });

  /*******************************************************************
   * When the submit button is clicked
   ******************************************************************/
  $("#btnSubmit").on('click', () => {

    if ($("#fileInput").prop("files").length === 0) {
      $('#pp7Form').submit(evt => {
        evt.preventDefault();
      });
    } else {
      $('#pp7Form').submit(evt => {
        $("#pp7Form").ajaxSubmit();
        return false;
      });

      var nbFilecompleted = 0;
      var nbValidFile = fileListProperty.filter(element => {
        return element.valid;
      });
      var percentage = -1;

      while (nbFilecompleted < nbValidFile) {

        fileListProperty.forEach((file, idx) => {
          if (file.valid && file.pctConversion < 100) {

            percentage = -1;
            $.post('https://ol-portal-dev-nr.ca.objectiflune.com/getStat', {
              UUID: $("#uuid").val(),
              fileID: file.fileIndex
            }, (data, status, xhr) => {
              if (status === 'success') {
                percentage = JSON.parse(data).percentage;
                file.pctConversion = percentage;
                if (percentage === 100) {
                  nbFilecompleted++
                }
              } else {
                alert('An error has occurred, please contact jhamel@uplandsoftware.com');
              }
            });
          }
        });

        setTimeout(() => {}, 500);
      }
    }
  });
});
Via Active questions tagged javascript - Stack Overflow https://ift.tt/gRsVZjA

Comments

Popular posts from this blog

ValueError: X has 10 features, but LinearRegression is expecting 1 features as input

So, I am trying to predict the model but its throwing error like it has 10 features but it expacts only 1. So I am confused can anyone help me with it? more importantly its not working for me when my friend runs it. It works perfectly fine dose anyone know the reason about it? cv = KFold(n_splits = 10) all_loss = [] for i in range(9): # 1st for loop over polynomial orders poly_order = i X_train = make_polynomial(x, poly_order) loss_at_order = [] # initiate a set to collect loss for CV for train_index, test_index in cv.split(X_train): print('TRAIN:', train_index, 'TEST:', test_index) X_train_cv, X_test_cv = X_train[train_index], X_test[test_index] t_train_cv, t_test_cv = t[train_index], t[test_index] reg.fit(X_train_cv, t_train_cv) loss_at_order.append(np.mean((t_test_cv - reg.predict(X_test_cv))**2)) # collect loss at fold all_loss.append(np.mean(loss_at_order)) # collect loss at order plt.plot(np.log(al...

Sorting large arrays of big numeric stings

I was solving bigSorting() problem from hackerrank: Consider an array of numeric strings where each string is a positive number with anywhere from to digits. Sort the array's elements in non-decreasing, or ascending order of their integer values and return the sorted array. I know it works as follows: def bigSorting(unsorted): return sorted(unsorted, key=int) But I didnt guess this approach earlier. Initially I tried below: def bigSorting(unsorted): int_unsorted = [int(i) for i in unsorted] int_sorted = sorted(int_unsorted) return [str(i) for i in int_sorted] However, for some of the test cases, it was showing time limit exceeded. Why is it so? PS: I dont know exactly what those test cases were as hacker rank does not reveal all test cases. source https://stackoverflow.com/questions/73007397/sorting-large-arrays-of-big-numeric-stings

How to load Javascript with imported modules?

I am trying to import modules from tensorflowjs, and below is my code. test.html <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>Document</title </head> <body> <script src="https://cdn.jsdelivr.net/npm/@tensorflow/tfjs@2.0.0/dist/tf.min.js"></script> <script type="module" src="./test.js"></script> </body> </html> test.js import * as tf from "./node_modules/@tensorflow/tfjs"; import {loadGraphModel} from "./node_modules/@tensorflow/tfjs-converter"; const MODEL_URL = './model.json'; const model = await loadGraphModel(MODEL_URL); const cat = document.getElementById('cat'); model.execute(tf.browser.fromPixels(cat)); Besides, I run the server using python -m http.server in my command prompt(Windows 10), and this is the error prompt in the console log of my browser: Failed to loa...