Mapping records to arrays
Published: October 6th 2022I needed this functionality to parse a configuration regardless of whether it was supplied as an array or a Record. This function converts the Record into an array of the same type:
1function mapRecordToArray<T, R extends Omit<T, K>, K extends keyof T>(record: Record<string, R>, recordKeyName: K) { 2 return Object.keys(record).map(key => ({ ...record[key as keyof typeof record], [recordKeyName]: key })) as T[] 3} 4
It can be used like this:
1type Field = { 2 name: string, 3 label: string, 4} 5 6type Collection = { 7 name: string, 8 label: string, 9 fields: Record<string, Omit<Field, 'name'>> | Field[] 10} 11 12const collections:Collections[] = [] // ... 13 14collections.forEach(collection => { 15 const fields = Array.isArray(collection.fields) 16 ? collection.fields 17 : mapRecordToArray(collection.fields, 'name') 18}) 19// Function typings will look like this: 20// function mapRecordToArray<Field, Omit<Field, "name">, "name">(record: Record<string, Omit<Field, "name">>, recordKeyName: "name"): Field[] 21 22// Notice the return type: Field[] 23