数组对象去除相同的属性名
时间: 2023-10-11 21:05:52 浏览: 89
你好!关于你的问题,可以使用 JavaScript 的 Set 数据结构和数组的 filter 方法来实现,具体操作如下:
```javascript
// 定义一个数组对象
const arr = [
{ id: 1, name: 'Tom', age: 20 },
{ id: 2, name: 'Jerry', age: 22 },
{ id: 3, name: 'Tom', gender: 'male' }
];
// 取出所有属性名
const keys = Array.from(new Set(arr.flatMap(obj => Object.keys(obj))));
// 去除相同属性名
const res = arr.map(obj =>
keys.reduce((acc, key) => {
if (obj.hasOwnProperty(key)) {
acc[key] = obj[key];
}
return acc;
}, {})
);
// 输出结果
console.log(res);
```
以上代码中,我们首先使用 Set 数据结构取出数组对象中所有属性名,并通过 flatMap 方法将它们打平为一个一维数组。然后使用 reduce 方法遍历数组对象,只取出原始对象中存在的属性名,最终返回一个新的对象数组。
相关问题
数组去重去掉数组内每一个对象的相同属性
好的,针对您的问题,可以使用 JavaScript 中的 reduce 和 findIndex 方法来实现。具体实现如下:
假设我们有一个数组 arr,每个对象都有属性 a 和 b,我们需要根据属性 a 进行去重,并且在去重后,每个对象的属性 b 不能相同。
```
const arr = [
{a: 1, b: 'apple'},
{a: 2, b: 'banana'},
{a: 1, b: 'peach'},
{a: 3, b: 'apple'},
{a: 1, b: 'orange'}
];
const result = arr.reduce((acc, cur) => {
const index = acc.findIndex(item => item.a === cur.a);
if (index === -1) {
acc.push(cur);
} else if (acc[index].b !== cur.b) {
acc[index].b = `${acc[index].b} and ${cur.b}`;
}
return acc;
}, []);
console.log(result);
// Output: [
// {a: 1, b: 'apple and peach and orange'},
// {a: 2, b: 'banana'},
// {a: 3, b: 'apple'}
// ]
```
以上代码中,我们使用 reduce 方法对数组进行遍历和操作。在每一次遍历中,我们使用 findIndex 方法来查找是否存在属性 a 相同的对象,如果不存在,则将当前对象添加到结果数组 acc 中。如果存在,我们需要判断当前对象的属性 b 是否与已存在对象的属性 b 相同,如果不同,则将其合并起来。
最终我们得到的结果为:
```
[
{a: 1, b: 'apple and peach and orange'},
{a: 2, b: 'banana'},
{a: 3, b: 'apple'}
]
```
js去除数组对象中属性值为null的属性
在JavaScript中,如果你想要从数组的对象里移除所有属性值为`null`的属性,可以使用`Array.prototype.filter()`和`Object.keys()`方法配合。以下是步骤:
```javascript
function removeNullProperties(array) {
return array.map(obj => {
// 获取对象的所有键
const keys = Object.keys(obj);
// 过滤出值不为null的键
const filteredKeys = keys.filter(key => obj[key] !== null);
// 创建一个新的对象,只包含非null属性
return filteredKeys.reduce((newObj, key) => ({ ...newObj, [key]: obj[key] }), {});
});
}
// 示例
let arr = [{ name: 'John', age: null, job: 'Engineer' }, { name: 'Jane', age: 30 }];
let newArray = removeNullProperties(arr);
console.log(newArray); // 输出:[ { name: 'John' }, { name: 'Jane', age: 30 } ]
```
阅读全文