I know I can define string union types to restrict variables to one of the possible string values:
type MyType = 'first' | 'second'
let myVar:MyType = 'first'
I need to construct a type like that from constant strings, e.g:
const MY_CONSTANT = 'MY_CONSTANT'
const SOMETHING_ELSE = 'SOMETHING_ELSE'
type MyType = MY_CONSTANT | SOMETHING_ELSE
But for some reason it doesn't work; it says MY_CONSTANT refers to a value, but it being used as a type here
.
Why does Typescript allow the first example, but doesn't allow the second case? I'm on Typescript 3.4.5
To get the type of a variable you need to use the typeof
type operator:
const MY_CONSTANT = 'MY_CONSTANT' // must be const, no annotation. let or var will not work
const SOMETHING_ELSE = 'SOMETHING_ELSE' // must be const, no annotation. let or var will not work
type MyType = typeof MY_CONSTANT | typeof SOMETHING_ELSE
Note:
Since there seems to be a lot of confusion when people use this. The const
matters. If you use other types of declarations (let
or var
) the final type would be string. Only const
preserves string literal types.
Note 2:
For this solution to work you must not specify any type annotation on the const
, and let the compiler infer the type of the constants (ex this will not work :const MY_CONSTANT: string = 'MY_CONSTANT'
)