Skip to content

Commit 3ec8dba

Browse files
authoredMar 4, 2024··
Tagged: Add metadata support (#723)
1 parent 3ef12b0 commit 3ec8dba

File tree

3 files changed

+92
-19
lines changed

3 files changed

+92
-19
lines changed
 

‎index.d.ts

+1-1
Original file line numberDiff line numberDiff line change
@@ -31,7 +31,7 @@ export type {UndefinedOnPartialDeep} from './source/undefined-on-partial-deep';
3131
export type {ReadonlyDeep} from './source/readonly-deep';
3232
export type {LiteralUnion} from './source/literal-union';
3333
export type {Promisable} from './source/promisable';
34-
export type {Opaque, UnwrapOpaque, Tagged, UnwrapTagged} from './source/opaque';
34+
export type {Opaque, UnwrapOpaque, Tagged, GetTagMetadata, UnwrapTagged} from './source/opaque';
3535
export type {InvariantOf} from './source/invariant-of';
3636
export type {SetOptional} from './source/set-optional';
3737
export type {SetReadonly} from './source/set-readonly';

‎source/opaque.d.ts

+61-16
Original file line numberDiff line numberDiff line change
@@ -4,9 +4,7 @@ export type TagContainer<Token> = {
44
readonly [tag]: Token;
55
};
66

7-
type MultiTagContainer<Token extends PropertyKey> = {
8-
readonly [tag]: {[K in Token]: void};
9-
};
7+
type Tag<Token extends PropertyKey, TagMetadata> = TagContainer<{[K in Token]: TagMetadata}>;
108

119
/**
1210
Attach a "tag" to an arbitrary type. This allows you to create distinct types, that aren't assignable to one another, for runtime values that would otherwise have the same type. (See examples.)
@@ -113,19 +111,26 @@ type WillWork = UnwrapOpaque<Tagged<number, 'AccountNumber'>>; // number
113111
@category Type
114112
*/
115113
export type UnwrapOpaque<OpaqueType extends TagContainer<unknown>> =
116-
OpaqueType extends MultiTagContainer<string | number | symbol>
114+
OpaqueType extends Tag<PropertyKey, any>
117115
? RemoveAllTags<OpaqueType>
118116
: OpaqueType extends Opaque<infer Type, OpaqueType[typeof tag]>
119117
? Type
120118
: OpaqueType;
121119

122120
/**
123-
Attach a "tag" to an arbitrary type. This allows you to create distinct types, that aren't assignable to one another, for runtime values that would otherwise have the same type. (See examples.)
121+
Attach a "tag" to an arbitrary type. This allows you to create distinct types, that aren't assignable to one another, for distinct concepts in your program that should not be interchangeable, even if their runtime values have the same type. (See examples.)
124122
125123
A type returned by `Tagged` can be passed to `Tagged` again, to create a type with multiple tags.
126124
127125
[Read more about tagged types.](https://medium.com/@KevinBGreene/surviving-the-typescript-ecosystem-branding-and-type-tagging-6cf6e516523d)
128126
127+
A tag's name is usually a string (and must be a string, number, or symbol), but each application of a tag can also contain an arbitrary type as its "metadata". See {@link GetTagMetadata} for examples and explanation.
128+
129+
A type `A` returned by `Tagged` is assignable to another type `B` returned by `Tagged` if and only if:
130+
- the underlying (untagged) type of `A` is assignable to the underlying type of `B`;
131+
- `A` contains at least all the tags `B` has;
132+
- and the metadata type for each of `A`'s tags is assignable to the metadata type of `B`'s corresponding tag.
133+
129134
There have been several discussions about adding similar features to TypeScript. Unfortunately, nothing has (yet) moved forward:
130135
- [Microsoft/TypeScript#202](https://github.com/microsoft/TypeScript/issues/202)
131136
- [Microsoft/TypeScript#4895](https://github.com/microsoft/TypeScript/issues/4895)
@@ -151,21 +156,62 @@ function getMoneyForAccount(accountNumber: AccountNumber): AccountBalance {
151156
getMoneyForAccount(createAccountNumber());
152157
153158
// But this won't, because it has to be explicitly passed as an `AccountNumber` type!
159+
// Critically, you could not accidentally use an `AccountBalance` as an `AccountNumber`.
154160
getMoneyForAccount(2);
155161
156-
// You can use opaque values like they aren't opaque too.
157-
const accountNumber = createAccountNumber();
162+
// You can also use tagged values like their underlying, untagged type.
163+
// I.e., this will compile successfully because an `AccountNumber` can be used as a regular `number`.
164+
// In this sense, the underlying base type is not hidden, which differentiates tagged types from opaque types in other languages.
165+
const accountNumber = createAccountNumber() + 2;
166+
```
158167
159-
// This will compile successfully.
160-
const newAccountNumber = accountNumber + 2;
168+
@example
169+
```
170+
import type {Tagged} from 'type-fest';
171+
172+
// You can apply multiple tags to a type by using `Tagged` repeatedly.
173+
type Url = Tagged<string, 'URL'>;
174+
type SpecialCacheKey = Tagged<Url, 'SpecialCacheKey'>;
175+
176+
// You can also pass a union of tag names, so this is equivalent to the above, although it doesn't give you the ability to assign distinct metadata to each tag.
177+
type SpecialCacheKey2 = Tagged<string, 'URL' | 'SpecialCacheKey'>;
178+
```
179+
180+
@category Type
181+
*/
182+
export type Tagged<Type, TagName extends PropertyKey, TagMetadata = never> = Type & Tag<TagName, TagMetadata>;
183+
184+
/**
185+
Given a type and a tag name, returns the metadata associated with that tag on that type.
186+
187+
In the example below, one could use `Tagged<string, 'JSON'>` to represent "a string that is valid JSON". That type might be useful -- for instance, it communicates that the value can be safely passed to `JSON.parse` without it throwing an exception. However, it doesn't indicate what type of value will be produced on parse (which is sometimes known). `JsonOf<T>` solves this; it represents "a string that is valid JSON and that, if parsed, would produce a value of type T". The type T is held in the metadata associated with the `'JSON'` tag.
188+
189+
This article explains more about [how tag metadata works and when it can be useful](https://medium.com/@ethanresnick/advanced-typescript-tagged-types-improved-with-type-level-metadata-5072fc125fcf).
190+
191+
@example
192+
```
193+
import type {Tagged} from 'type-fest';
194+
195+
type JsonOf<T> = Tagged<string, 'JSON', T>;
196+
197+
function stringify<T>(it: T) {
198+
return JSON.stringify(it) as JsonOf<T>;
199+
}
200+
201+
function parse<T extends JsonOf<unknown>>(it: T) {
202+
return JSON.parse(it) as GetTagMetadata<T, 'JSON'>;
203+
}
204+
205+
const x = stringify({ hello: 'world' });
206+
const parsed = parse(x); // The type of `parsed` is { hello: string }
161207
```
162208
163209
@category Type
164210
*/
165-
export type Tagged<Type, Tag extends PropertyKey> = Type & MultiTagContainer<Tag>;
211+
export type GetTagMetadata<Type extends Tag<TagName, unknown>, TagName extends PropertyKey> = Type[typeof tag][TagName];
166212

167213
/**
168-
Revert a tagged type back to its original type by removing the readonly `[tag]`.
214+
Revert a tagged type back to its original type by removing all tags.
169215
170216
Why is this necessary?
171217
@@ -192,14 +238,13 @@ type WontWork = UnwrapTagged<string>;
192238
193239
@category Type
194240
*/
195-
export type UnwrapTagged<TaggedType extends MultiTagContainer<PropertyKey>> =
241+
export type UnwrapTagged<TaggedType extends Tag<PropertyKey, any>> =
196242
RemoveAllTags<TaggedType>;
197243

198-
type RemoveAllTags<T> = T extends MultiTagContainer<infer ExistingTags>
244+
type RemoveAllTags<T> = T extends Tag<PropertyKey, any>
199245
? {
200-
[ThisTag in ExistingTags]:
201-
T extends Tagged<infer Type, ThisTag>
246+
[ThisTag in keyof T[typeof tag]]: T extends Tagged<infer Type, ThisTag, T[typeof tag][ThisTag]>
202247
? RemoveAllTags<Type>
203248
: never
204-
}[ExistingTags]
249+
}[keyof T[typeof tag]]
205250
: T;

‎test-d/opaque.ts

+30-2
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
1-
import {expectAssignable, expectNotAssignable, expectNotType, expectType} from 'tsd';
2-
import type {Opaque, UnwrapOpaque, Tagged, UnwrapTagged, SnakeCasedPropertiesDeep} from '../index';
1+
import {expectAssignable, expectError, expectNotAssignable, expectNotType, expectType} from 'tsd';
2+
import type {Opaque, UnwrapOpaque, Tagged, GetTagMetadata, UnwrapTagged, InvariantOf, SnakeCasedPropertiesDeep} from '../index';
33

44
type Value = Opaque<number, 'Value'>;
55

@@ -113,6 +113,34 @@ const unwrapped2 = 123 as PlainValueUnwrapTagged;
113113
expectType<number>(unwrapped1);
114114
expectType<number>(unwrapped2);
115115

116+
// UnwrapTagged/UnwrapOpaque should work on types with multiple tags.
117+
const unwrapped3 = '' as UnwrapTagged<NormalizedAbsolutePath>;
118+
const unwrapped4 = '' as UnwrapOpaque<NormalizedAbsolutePath>;
119+
expectType<string>(unwrapped3);
120+
expectType<string>(unwrapped4);
121+
122+
// Tags have no metadata by default
123+
expectType<never>(undefined as unknown as GetTagMetadata<UrlString, 'URL'>);
124+
125+
// Metadata can be accurately recovered
126+
type JsonOf<T> = Tagged<string, 'JSON', T>;
127+
expectType<number>(JSON.parse('43') as GetTagMetadata<JsonOf<number>, 'JSON'>);
128+
129+
// It's a type error to try to get the metadata for a tag that doesn't exist on a type.
130+
expectError('' as GetTagMetadata<UrlString, 'NonExistentTag'>);
131+
132+
// Tagged types should be covariant in their metadata type
133+
expectAssignable<JsonOf<number>>('' as JsonOf<42>);
134+
expectAssignable<JsonOf<number>>('' as JsonOf<number>);
135+
expectNotAssignable<JsonOf<number>>('' as JsonOf<number | string>);
136+
137+
// InvariantOf should work with tag metadata.
138+
expectNotAssignable<JsonOf<InvariantOf<number>>>('' as JsonOf<string | number>);
139+
expectNotAssignable<JsonOf<InvariantOf<number>>>('' as JsonOf<42>);
140+
expectAssignable<JsonOf<InvariantOf<number>>>(
141+
'' as JsonOf<InvariantOf<number>>,
142+
);
143+
116144
// Test for issue https://github.com/sindresorhus/type-fest/issues/643
117145
type IdType = Opaque<number, 'test'>;
118146
type TestSnakeObject = SnakeCasedPropertiesDeep<{testId: IdType}>;

0 commit comments

Comments
 (0)
Please sign in to comment.