Skip to content Skip to sidebar Skip to footer

Rebuilding _zip In Javascript Using Map, Arbitrary Arguments

I'm trying to learn JavaScript well and am practicing rebuilding some underscore functions. I'm trying to rebuild zip using map where there is an arbitrary number of arguments. He

Solution 1:

Below I have attached what should be a working copy of your original implementation without the use of pluck using only maps.

var zip = function() {
  var argumentsArray = Array.prototype.slice.call(arguments);
  var longestArray = argumentsArray.sort(function(a, b) {
    return b.length - a.length
  })[0];

  return longestArray.map(function(value, index, array) {
    return argumentsArray.map(function(val, i, arr) {
      return val[index];
    });
  });
};

The outer map over longestArray acts solely as a looping mechanism so it would be better suited to use a for-loop instead.

The inner loop maps over the array of arguments passed in and, using the current index of the outer map, returns the ith element of each argument array. Since map already returns a new array, each iteration of the inner map will return an array containing the ith elements for each argument array.

Below is another implementation using a for loop and a map.

functionzip() {
  //turn args into an arrayvar argumentsArray = Array.prototype.slice.call(arguments);
  var returnArr = [];

  //get length of longest arrayvar length = argumentsArray.reduce(function (prev, curr) {
    //starter val is 0, if curr array is longer replace with its lengthreturn (prev >= curr.length) ? prev : curr.length;
  }, 0);

  //push an array of the ith element of each of the argument arrays//into the return arrayfor (var i = 0; i < length; i++) {
    returnArr.push(argumentsArray.map(function (val) {
      return val[i];
    }));
  }

  return returnArr;
}

Also note that instead of sorting to find the largest array, I reduce over the array lengths to find and return the longest length.

Since js sort is in-place it will potentially change your arguments array order. Your returned array of zipped elements will then be ordered by their original array lengths. Doing it this way they will instead be in the order that the argument arrays were passed in. But both are valid zip implementations depending on what you need.

Hope this helps!

Post a Comment for "Rebuilding _zip In Javascript Using Map, Arbitrary Arguments"