ridermansb
ridermansb

Reputation: 11059

Initialize empty object in typescript with Record type

How to define and initialize an object that can be empty.

With types

type Plan = 'plan1' | 'plan1';

interface IPlan {
    name: string
}

When I tried to initialize an empty object, I'm getting an error

const plans: Record<Plan, Readonly<IPlan> = {}; // **ERROR HERE**

plans.plan1 = {
    name: 'Plan #1'
}

Property 'plan1' is missing in type '{}' but required in type 'Record<"plan1", Readonly>'.

Playgro

Upvotes: 10

Views: 12969

Answers (3)

GBra 4.669
GBra 4.669

Reputation: 1679

Simply use the Partial utility type: Partial<Type>

type Plan = 'plan1' | 'plan1';

interface IPlan {
    name: string
}


const plans: Partial<Record<Plan, IPlan>> = {}; // no error

plans.plan1 = {
    name: 'Plan #1'
}

The downside of this approach is that now all the properties of your interface are optional. But since you want it to instantiate without the required property, that is the only way.

Playground Link

Another idea might be using the Omit utility type: Omit<Type, Keys>

interface Plan {
  name: string;
}

type IPlan = Omit<Plan , "name">;

const plans: IPlan = {};

So, again, you can instantiate without the required properties.

Playground Link

Upvotes: 10

Alvaro
Alvaro

Reputation: 2059

You could do something like:

type Plan = 'plan1' | 'plan2';

interface IPlan {
    name: string
}

type PlansRecord = Record<Plan, Readonly<IPlan>>
const plansRecord = {} as PlansRecord

console.log({plansRecord})

Output: [LOG]: { "plansRecord": {} }

Demo

Upvotes: 5

iamaword
iamaword

Reputation: 1499

Looking at the documentation for Typescript's Record, it looks like they require a more elaborate object definition:

const plans: Record<Plan, Readonly<IPlan>> = {plan1: {name: 'foo'}, plan2: {name:'bar'}}

or:

  const plans: Record<Plan, Readonly<IPlan>> = {plan1: {name: 'foo'}}

If you're just trying to create an element with types, you could just use a class or interface with Optional Properties (see here). for example:

interface IPlan {
    name?: string;
}

Upvotes: -2

Related Questions