-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathObjectUtils.ts
93 lines (79 loc) · 2.84 KB
/
ObjectUtils.ts
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
export default class ObjectUtils {
public isObject = (val: any): boolean => {
return val != null && typeof val === 'object' && Array.isArray(val) === false;
}
public isEmptyObject = (obj: any): boolean => {
return !Object.keys(obj).length;
}
public objectClone = (obj: object): any[] => {
return JSON.parse(JSON.stringify(obj))
}
public objectArrayClone = (obj) => {
return obj.map(item => { return { ...item } })
}
public compare = (obj1: any, obj2: any) => {
return JSON.stringify(obj1) === JSON.stringify(obj2);
}
public arrayToObject = (array: Array<any>) => {
array.reduce((obj, item) => {
(obj as any)[item.id] = item;
return obj;
}, {}
);
}
public removeEmptyOfObject = (obj: any): any => {
if (typeof obj === "object") {
for (let [key, value] of Object.entries(obj)) {
if (value != null && value !== '' && value !== undefined) delete obj[key];
else if (typeof value === "object") this.removeEmptyOfObject(value);
}
}
}
public removeNullOfObject = (obj: any) => {
if (typeof obj === "object") {
for (let [key, value] of Object.entries(obj)) {
if (value === null) delete obj[key];
else if (typeof value === "object") this.removeNullOfObject(value);
}
}
}
public removeUndefinedOfObject(obj: any): any {
if (typeof obj === "object") {
for (let [key, value] of Object.entries(obj)) {
if (value === undefined) delete obj[key];
else if (typeof value === "object") this.removeUndefinedOfObject(value);
}
}
}
public deleteKeysFromObject(object: any, keysToDelete: string[]): any {
const clonedObject = Object.assign({}, object)
keysToDelete.forEach(key => delete clonedObject[key])
return clonedObject
}
public getObjectKeys = (object: any): any[] => {
const result: any[] = []
for (const k of object) {
result.push(k)
}
return result
}
public pick = (obj: any, keys: any) => {
const result = keys.map(k => k in obj ? { [k]: obj[k] } : {})
.reduce((res, o) => Object.assign(res, o), {});
return result;
}
public pickArray = (arrayObj: any, keys: any) => {
const result: any[] = []
for (const obj of arrayObj) {
const pickObj = this.pick(obj, keys);
result.push(pickObj)
}
return result
}
public exclude = (obj: any, keys: any) => {
return Object.keys(obj)
.filter(k => !keys.includes(k))
.map(k => Object.assign({}, { [k]: obj[k] }))
.reduce((res, o) => Object.assign(res, o), {});
}
}