Filtering array with underscore.js

后端 未结 4 1850
囚心锁ツ
囚心锁ツ 2021-01-14 01:44

I am trying to filter some objects in my attempt to understand JS better and I\'m using underscore.js

I come from a C# background and am used to LINQ however undersc

相关标签:
4条回答
  • 2021-01-14 01:47

    A more concise way to accomplish this would be with underscore's chain() function:

    var noMushrooms = _(products).chain()
        .filter(function (x) { 
            return !x.containsNuts;})
        .reject(function(x){ 
            return _(x.ingredients).any(function(y){
                return y === "mushrooms";
            });
        })
        .value();
    
    0 讨论(0)
  • 2021-01-14 01:48

    You just need to remove the ! from the reject callback so that it look like this:

    var noMushrooms = _(noNuts).reject(function(x){ 
        return _(x.ingredients).any(function(y){return y === "mushrooms";});
    });
    

    Otherwise you're rejecting the ones that don't contain mushrooms instead of those that do.

    0 讨论(0)
  • 2021-01-14 01:55

    This will give the desired result

    var no_nuts = _.filter(products,function(item) {
             return !item.containsNuts;
           });
    
    var no_mushroom = _.reject(no_nuts,function(item) {
            return _.any(item.ingredients,function(item1) {
                return item1 === "mushrooms"
            }); 
         });
    
    console.log(no_mushroom);
    

    reject() does the opposite of filter(), and any() is equivalent to some method of arrays which returns true when any of the element in the array when passed through a callback returns true.

    0 讨论(0)
  • 2021-01-14 02:01

    I managed to get my solution all wrapped up into one filter call so thought I'd post it:

    products = [
           { name: "Sonoma", ingredients: ["artichoke", "sundried tomatoes", "mushrooms"], containsNuts: false },
           { name: "Pizza Primavera", ingredients: ["roma", "sundried tomatoes", "goats cheese", "rosemary"], containsNuts: false },
           { name: "South Of The Border", ingredients: ["black beans", "jalapenos", "mushrooms"], containsNuts: false },
           { name: "Blue Moon", ingredients: ["blue cheese", "garlic", "walnuts"], containsNuts: true },
           { name: "Taste Of Athens", ingredients: ["spinach", "kalamata olives", "sesame seeds"], containsNuts: true }
        ];
    
     it("given I'm allergic to nuts and hate mushrooms, it should find a pizza I can eat (functional)", function () {
    
          var productsICanEat = [];
    
          productsICanEat = _(products).filter(function (x) { return !x.containsNuts && !_(x.ingredients).any(function(y){return y === "mushrooms";});});
    
    
          expect(productsICanEat.length).toBe(1);
      });
    
    0 讨论(0)
提交回复
热议问题