对象数组的高效重复数据删除
从数组中删除重复对象对于数据完整性和性能优化至关重要。本文探讨了从包含对象的数组中消除重复项的有效方法。
问题:
考虑一个具有嵌套对象数组的对象。目标是根据“地点”和“名称”属性删除重复的对象。
obj = {}; obj.arr = new Array(); obj.arr.push({place: "here", name: "stuff"}); obj.arr.push({place: "there", name: "morestuff"}); obj.arr.push({place: "there", name: "morestuff"});
解决方案:
方法 1:ES6 过滤用 Array.filter 和 Array.findIndex
obj.arr = obj.arr.filter((value, index, self) => index === self.findIndex((t) => t.place === value.place && t.name === value.name ) );
这个方法利用 Array.filter 和 Array.findIndex 迭代数组并识别重复项。它仅返回唯一的对象,同时保留这两个属性。
方法 2:使用 JSON.stringify 的通用解决方案
const uniqueArray = obj.arr.filter((value, index) => { const _value = JSON.stringify(value); return index === obj.arr.findIndex((obj) => { return JSON.stringify(obj) === _value; }); });
此方法将对象的 JSON 表示与检测重复项。这是一个通用的解决方案,可以容纳具有任何属性结构的对象。
方法 3:使用自定义属性相等比较
const isPropValuesEqual = (subject, target, propNames) => propNames.every((propName) => subject[propName] === target[propName]); const getUniqueItemsByProperties = (items, propNames) => items.filter((item, index, array) => index === array.findIndex((foundItem) => isPropValuesEqual(foundItem, item, propNames)) );
此方法允许进行更多自定义属性比较。它使用回调函数来确定属性相等性,并根据指定的属性返回一组唯一的对象。
说明:
重复数据删除的关键是查找重复项和将它们从结果中排除。 findIndex 函数有助于识别具有特定属性的对象的第一个实例,而过滤器会删除随后出现的重复项。
以上是如何根据特定属性对对象数组进行高效去重?的详细内容。更多信息请关注PHP中文网其他相关文章!