Search code examples
javascripttypescriptobjectenumsdestructuring

How to de-structure an enum values in typescript?


I have an enum in typescript like below:

export enum XMPPElementName {
  state = "state",
  presence = "presence",
  iq = "iq",
  unreadCount = "uc",
  otherUserUnreadCount = "ouc",
  sequenceID = "si",
  lastSequenceID = "lsi",
  timeStamp = "t",
  body = "body",
  message = "message"
}

And wants to de-structure its value, How can we do this in Typescript?

const { uc, ouc, msg, lsi, si, t, body } =  XMPPElementName; 

update

As @amadan mentioned, we can use Assigning to new variable names as in Mozilla doc say Destructuring_assignment, like below:

Assigning to new variable names

A property can be unpacked from an object and assigned to a variable with a different name than the object property.

const o = {p: 42, q: true};
const {p: foo, q: bar} = o;
 
console.log(foo); // 42 
console.log(bar); // true

And the method is very good to solve this problem, but if you need to access all items without the need to explicitly define them, you can either on of these two mentiond tag1 tag2


Solution

  • const { uc, ouc, msg, lsi, si, t, body } =  XMPPElementName; 
    

    This doesn't work because XMPPElementName doesn't have an element named uc (and equivalently for others). If you explicitly name your keys, it will work:

      const {
        unreadCount: uc,
        otherUserUnreadCount: ouc,
        message: msg,
        lastSequenceID: lsi,
        sequenceID: si,
        timeStamp: t,
        body: body,
      } = XMPPElementName;
    

    it will work. Alternately, you can just use variables with names that are equal to the keys, not the values:

      const {
        unreadCount,
        otherUserUnreadCount,
        message,
        lastSequenceID,
        sequenceID,
        timeStamp,
        body,
      } = XMPPElementName;