File size: 1,737 Bytes
1e92f2d |
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 |
import { isObject } from "./is"
type Predicate<R = any> = (value: any, path: string[]) => R
export type MappedObject<T, K> = {
[Prop in keyof T]: T[Prop] extends Array<any>
? MappedObject<T[Prop][number], K>[]
: T[Prop] extends Record<string, unknown>
? MappedObject<T[Prop], K>
: K
}
export type WalkObjectStopFn = (value: any, path: string[]) => boolean
export interface WalkObjectOptions {
stop?: WalkObjectStopFn | undefined
getKey?(prop: string, value: any): string
}
type Nullable<T> = T | null | undefined
const isNotNullish = <T>(element: Nullable<T>): element is T => element != null
export function walkObject<T, K>(
target: T,
predicate: Predicate<K>,
options: WalkObjectOptions = {},
): MappedObject<T, ReturnType<Predicate<K>>> {
const { stop, getKey } = options
function inner(value: any, path: string[] = []): any {
if (isObject(value) || Array.isArray(value)) {
const result: Record<string, string> = {}
for (const [prop, child] of Object.entries(value)) {
const key = getKey?.(prop, child) ?? prop
const childPath = [...path, key]
if (stop?.(value, childPath)) {
return predicate(value, path)
}
const next = inner(child, childPath)
if (isNotNullish(next)) {
result[key] = next
}
}
return result
}
return predicate(value, path)
}
return inner(target)
}
export function mapObject(obj: any, fn: (value: any) => any) {
if (Array.isArray(obj))
return obj.map((value) => {
return isNotNullish(value) ? fn(value) : value
})
if (!isObject(obj)) {
return isNotNullish(obj) ? fn(obj) : obj
}
return walkObject(obj, (value) => fn(value))
}
|