从响应比较属性值中删除重复数组

时间:2018-03-22 20:12:05

标签: javascript arrays filter

我想根据属性值从响应中删除重复数组。如果attribute_value数据与其他数组属性值匹配,则应删除其他数据。

逻辑非常简单。检查每个数组中的重复attribute_value并删除重复的数组并返回 作为回应。现在你可以看到属性值= 1是三次 和属性值= 2是两次

如果我看到属性值重复,我如何比较和删除整个数组?

我尝试使用过滤器方法似乎不起作用。请帮忙。

for(var j=0; j<social_post_link.length; j++){
    newFilterarray = social_post_link[j].activity_attributes[0].attribute_value.filter(function(item, index) {
      if (social_post_link[j].activity_attributes[0].attribute_value.indexOf(item) == index){
        return social_post_link;
      }
    });                                             
}

响应

[
  {
    "id": "484822",
    "activity_attributes": [
      {
        "id": "868117",
        "activity_id": "484822",
        "attribute_name": "position",
        "attribute_value": "1",
      }
    ]
  },
  {
    "id": "484884",
    "activity_attributes": [
      {
        "id": "868175",
        "activity_id": "484884",
        "attribute_name": "position",
        "attribute_value": "1",
      }
    ]
  },
  {
    "id": "484888",
    "activity_attributes": [
      {
        "id": "868182",
        "activity_id": "484888",
        "attribute_name": "position",
        "attribute_value": "1",
      }
    ]
  },
  {
    "id": "484823",
    "activity_attributes": [
      {
        "id": "868120",
        "activity_id": "484823",
        "attribute_name": "position",
        "attribute_value": "2",
      }
    ]
  },
  {
    "id": "484975",
    "activity_attributes": [
      {
        "id": "868344",
        "attribute_name": "position",
        "attribute_value": "2",
      }
    ]
  },
  {
    "id": "484891",
    "activity_attributes": [
      {
        "id": "868189",
        "attribute_name": "position",
        "attribute_value": "3",
      }
    ]
  },
  {
    "id": "484903",
    "activity_attributes": [
      {
        "id": "868200",
        "attribute_name": "position",
        "attribute_value": "4",
      },
    ]
  }
]

期望的输出

    [
  {
    "id": "484822",
    "activity_attributes": [
      {
        "id": "868117",
        "activity_id": "484822",
        "attribute_name": "position",
        "attribute_value": "1",
      }
    ]
  },
  {
    "id": "484823",
    "activity_attributes": [
      {
        "id": "868120",
        "activity_id": "484823",
        "attribute_name": "position",
        "attribute_value": "2",
      }
    ]
  },
  {
    "id": "484891",
    "activity_attributes": [
      {
        "id": "868189",
        "attribute_name": "position",
        "attribute_value": "3",
      }
    ]
  },
  {
    "id": "484903",
    "activity_attributes": [
      {
        "id": "868200",
        "attribute_name": "position",
        "attribute_value": "4",
      },
    ]
  }
]

3 个答案:

答案 0 :(得分:1)

您可以使用lodash实用程序this question

其中const uniqueLinks = _.uniqBy(social_post_link, item => item.activity_attributes[0].attribute_value ) 是一个返回您要比较的值的函数。

在您的情况下,它可能如下所示:

const filterByIteratee = (array, iteratee) => {

  // Empty object to store attributes as we encounter them
  const previousAttributeNames = {

  }

  return array.filter(item => {
    // Get the right value
    const itemValue = iteratee(item)

    // Check if we have already stored this item
    if (previousAttributeNames.hasOwnProperty(itemValue)) return false
    else {
      // Store the item so next time we encounter it we filter it out
      previousAttributeNames[itemValue] = true
      return true  
    }
  })
}

编辑:

这是一个可以完成同样的香草JS功能。

const uniqueLinks = filterByIteratee(social_post_link, item =>
  item.activity_attributes[0].attribute_value
)

它将遍历数组,通过某个函数存储其标识符,并仅返回每个项的第一个实例。

以相同的方式使用它:

Sub test()
    Dim hours As Variant
    hours = Array("6:30a", "7:00a", "7:30a", "8:00a", "8:30a", "9:00a", "9:30a", "10:00a", "10:30a", "11:00a", "11:30a")

    With Range("C1", Cells(Rows.Count, 3).End(xlUp))
        .AutoFilter Field:=1, Criteria1:=hours, Operator:=xlFilterValues
        .Offset(1, 0).SpecialCells(xlCellTypeVisible).EntireRow.Delete
        If Not IsError(Application.Match(.Cells(1, 1).value, hours, 0))  Then .Rows(1).Delete
    End With
    ActiveSheet.AutoFilterMode = False
End Sub

答案 1 :(得分:0)

这可能是性能最佳的解决方案。但它适合您的要求。

    #include <cstdlib>
#include <cmath>
#include <limits>
#include <iostream>

class cubic_spline
{
private:
    // Структура, описывающая сплайн на каждом сегменте сетки
    struct spline_tuple
    {
        double a, b, c, d, x;
    };

    spline_tuple *splines; // Сплайн
    std::size_t n; // Количество узлов сетки

    void free_mem(); // Освобождение памяти

public:
    cubic_spline(); //конструктор
    ~cubic_spline(); //деструктор

    // Построение сплайна
    // x - узлы сетки, должны быть упорядочены по возрастанию, кратные узлы запрещены
    // y - значения функции в узлах сетки
    // n - количество узлов сетки
    void build_spline(const double *x, const double *y, std::size_t n);

    // Вычисление значения интерполированной функции в произвольной точке
    double f(double x) const;
};

cubic_spline::cubic_spline() : splines(NULL)
{

}

cubic_spline::~cubic_spline()
{
    free_mem();
}

void cubic_spline::build_spline(const double *x, const double *y, std::size_t n)
{
    free_mem();

    this->n = n;

    // Инициализация массива сплайнов
    splines = new spline_tuple[n];
    for (std::size_t i = 0; i < n; ++i)
    {
        splines[i].x = x[i];
        splines[i].a = y[i];
    }
    splines[0].c = 0.;

    // Решение СЛАУ относительно коэффициентов сплайнов c[i] методом прогонки для трехдиагональных матриц
    // Вычисление прогоночных коэффициентов - прямой ход метода прогонки
    double *alpha = new double[n - 1];
    double *beta = new double[n - 1];
    double A, B, C, F, h_i, h_i1, z;
    alpha[0] = beta[0] = 0.;
    for (std::size_t i = 1; i < n - 1; ++i)
    {
        h_i = x[i] - x[i - 1], h_i1 = x[i + 1] - x[i];
        A = h_i;
        C = 2. * (h_i + h_i1);
        B = h_i1;
        F = 6. * ((y[i + 1] - y[i]) / h_i1 - (y[i] - y[i - 1]) / h_i);
        z = (A * alpha[i - 1] + C);
        alpha[i] = -B / z;
        beta[i] = (F - A * beta[i - 1]) / z;
    }

    splines[n - 1].c = (F - A * beta[n - 2]) / (C + A * alpha[n - 2]);

    // Нахождение решения - обратный ход метода прогонки
    for (int i = n - 2; i > 0; --i)
        splines[i].c = alpha[i] * splines[i + 1].c + beta[i];

    // Освобождение памяти, занимаемой прогоночными коэффициентами
    delete[] beta;
    delete[] alpha;

    // По известным коэффициентам c[i] находим значения b[i] и d[i]
    for (int i = n - 1; i > 0; --i)
    {
        double h_i = x[i] - x[i - 1];
        splines[i].d = (splines[i].c - splines[i - 1].c) / h_i;
        splines[i].b = h_i * (2. * splines[i].c + splines[i - 1].c) / 6. + (y[i] - y[i - 1]) / h_i;
    }
}

double cubic_spline::f(double x) const
{
    if (!splines)
        return std::numeric_limits<double>::quiet_NaN(); // Если сплайны ещё не построены - возвращаем NaN

    spline_tuple *s;
    if (x <= splines[0].x) // Если x меньше точки сетки x[0] - пользуемся первым эл-том массива
        s = splines + 1;
    else if (x >= splines[n - 1].x) // Если x больше точки сетки x[n - 1] - пользуемся последним эл-том массива
        s = splines + n - 1;
    else // Иначе x лежит между граничными точками сетки - производим бинарный поиск нужного эл-та массива
    {
        std::size_t i = 0, j = n - 1;
        while (i + 1 < j)
        {
            std::size_t k = i + (j - i) / 2;
            if (x <= splines[k].x)
                j = k;
            else
                i = k;
        }
        s = splines + j;
    }

    double dx = (x - s->x);
    return s->a + (s->b + (s->c / 2. + s->d * dx / 6.) * dx) * dx; // Вычисляем значение сплайна в заданной точке.
}

void cubic_spline::free_mem()
{
    delete[] splines;
    splines = NULL;
}

int main(void) {

    const size_t n(70000);
    double* x = new double[n];
    double* y = new double[n];

    for(size_t i(0); i < n; ++i) {
        x[i] = (1e-100)*i;
        y[i] = (x[i]-2)*8;
    }

    cubic_spline cs;
    cs.build_spline(x, y, n);
    std::cout << cs.f(2) << std::endl;

    return 0;
}

答案 2 :(得分:-1)

function removeDuplicates(myArr, prop) { // removes duplicate objects from array
    return myArr.filter((obj, pos, arr) => {
        return arr.map(mapObj => mapObj[prop]).indexOf(obj[prop]) === pos;
    });
};

我不久前发现了这个函数,它从数组中删除了重复的对象。将数组和您希望不重复的属性传递给它。