-
Notifications
You must be signed in to change notification settings - Fork 12.8k
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
recursive type definitions #3496
Comments
That isn't just recursion, it is infinite recursion. How do you suggest the compiler could resolve that, since it needs to understand |
I haven't looked into the typescript compiler code. Lazily evaluate the type definition? Translate something like Exhibit B back into Exhibit A? If you point me to the relevant area in the code base, I can attempt to address it. |
Edited previous comments for clarity. |
@opensrcken Compiler code is not necessary here to define a general algorithm that will solve the problem. export type IJSONSerializable = {[paramKey: string]: IJSONSerializable} | number | string | Array<IJSONSerializable>;
var aThing: IJSONSerializable = { foo: 'a' }; Lazily evaluating the original type definition isn't the issue. The problem comes as soon as you try to use it, like here, where we need to check whether something is assignable to that type. So the compiler asks is |
@danquirk, I think the compiler implementation is relevant. Let's simplify this a bit -- we are trying to define the type of a data structure that is legitimately recursive, theoretically infinitely so. For simplicity's sake, let's think about a vanilla Binary Tree, instead of JSON. It would seem to me that the compiler should understand the possibility of an infinitely recursive type, and only match a data structure that claims to match that type if it also detects that the data structure itself is theoretically recursive in the same way. The missing piece in your example is the ability to detect infinite recursion in a type definition, without actually having to recurse infinitely, and treat that as a type in and of itself, distinct from Remember, the very first example in the OP is infinitely recursive, it's just not directly self-referential: export type IJSONSerializable = IJSONSerializableObject | number | string | Array<IJSONSerializableObject | number | string>;
interface IJSONSerializableObject {
[paramKey: string]: IJSONSerializable
} So are you saying that the compiler is actually treating this as |
@opensrcken The types you've defined in exhibit A and exhibit B are not even the same. In exhibit B, your type would allow The reason this is an error is the In order to support this, we'd need to change the architecture of type aliases so that all operations in the type checker know how to process the types created by them. It would involve actually creating a container every time we encounter a type alias. This would possibly create memory overhead, and would add another case to handle in every type operation in the checker. It is nontrivial, but not fundamentally undoable. |
Forgot to clarify, it is not a result of failure to detect relations between types that are infinitely recursive. |
Also, it's simple recursion in this case (classic mu type), not infinite/generative recursion. |
Yes, you are correct about the difference between exhibit A and B. That is an oversight on my part. I have edited exhibit A to correctly reflect the potential recursive nature of JSON arrays. I think the important thing here is that JSON is not some sort of edge case. Recursive types are fairly commonplace in programming, and it seems worth supporting. |
Another example: Promises/A+ promises. type ThenableLike<T> = T | ThenableLike<Thenable<T>>;
interface Thenable<T> {
then(callback: (value: T) => ThenableLike<T>): Thenable<T>;
}
class Promise<T> implements Thenable<T> {
static all<T>(thenables: ThenableLike<T>[]): Promise<T>;
static race<T>(thenables: ThenableLike<T>[]): Promise<T>;
static resolve<T>(thenable: ThenableLike<T>): Promise<T>;
static reject<T>(thenable: ThenableLike<T> | Error): Promise<T>;
then<U>(
callback: (value: T) => ThenableLike<U>,
error?: (err: Error) => ThenableLike<U>
): Promise<U>;
catch<U>(error: (err: Error) => ThenableLike<U>): Promise<U>;
} Or, the classic array flatten function: type Nested<T> = T[] | Nested<T[]>;
function flatten<T>(list: Nested<T>): T[] {
return (<T> []).concat(...list.map<T | T[]>((i: T | Nested<T>) =>
Array.isArray(i) ? flatten(i) : i));
}
👍 Definitely not an edge case. That |
Actually @opensrcken I don't think ThenableLike or Nested make sense the way they are defined. Those are infinitely expanding type aliases with no structure other than a union type, and those would degenerate. This problem does not occur with your ideal definition of IJSONSerializable above. To see what I mean, let's take
Eventually, the type system decides that it's never going to get an answer. So it has no basis to give an error, and as a result, Now I'm not saying that recursive types are bad. Just this kind of recursive type is bad. It is much better if Nested is written like this: type Nested<T> = T[] | Nested<T>[]; Now the type has structure because all constituents are arrays. The same thing goes for ThenableLike. You'd need to define it like this to make it not degenerate: type ThenableLike<T> = T | Thenable<ThenableLike<T>>; Although in this case, perhaps what you want is not recursive at all. Thenable itself already seems to encapsulate the recursion. Why is it not type ThenableLike<T> = T | Thenable<T>; |
Thenable<Thenable<Thenable<...<Thenable<T>>...>>> Although, I just realized that this could potentially also be used to properly, and completely type |
Yes, sorry @IMPinball. I got confused when you addressed @opensrcken. I realize different type systems have different ways of understanding types and data, so they don't always translate perfectly. Specifically in TypeScript, there is a very clean separation of values and types. So an infinitely recursive type without structure just wouldn't work, even if we were to maximally support recursive types. For the arbitrary recursion on Thenable, ideally you should be able to do that with type |
Picking up on the suggestion in #3988, here is how you would currently write a correct recursive JSON data type: type JSONValue = string | number | boolean | JSONObject | JSONArray;
interface JSONObject {
[x: string]: JSONValue;
}
interface JSONArray extends Array<JSONValue> { } The trick is to make the recursive back references within interface types. This works because resolution of interface base types and interface members is deferred, whereas resolution of type aliases is performed eagerly. Ideally you'd be able to replace |
The only way I can think of to make this work is to introduce a new kind of type for type aliases, but that would involve lots of extra plumbing. Maybe @ahejlsberg has a better idea. |
What this really is starting to sound like now is inductive type inference The tricks being described here are taking advantage of the deductive I've started to backtrack a little from my initial stance with this bug for On Thu, Aug 6, 2015, 21:12 Jason Freeman [email protected] wrote:
|
I don't know what inductive and deductive mean. But I will say that the type system / compiler in TypeScript is generally lazy. That's why recursive type aliases are supported to some degree. The reason they are not supported in all cases is that type aliases themselves are resolved eagerly. To make type aliases lazy, it would likely be necessary to have an actual type for type aliases, but every single type operation in the compiler would now have to be aware of a type alias type. |
What I mean about inductive vs deductive is in the sense of inductive Inductive: -- In Haskell
-- Note that this would never be checked
-- eagerly
type Thenable a = a | Thenable a
type Promise a = (Thenable a) => a | Promise a Deductive: // In Typescript
type Infinite<T> = Array<T> | Array<Infinite<T>>; Deductive typing is lazy at type definition (it doesn't explode over simple On Fri, Aug 7, 2015, 17:28 Jason Freeman [email protected] wrote:
|
I see. I think I also lack sufficient type theory knowledge to comment on induction versus deduction, though it is clear that there is a distinction between lazy and eager processing of types. There is a section in the spec here: |
For type arguments, it's a caching issue in the implementation. In other words, the reason the compiler recurses on Infinite (in your example) is so that it can check the instantiation cache to see if Array has already been instantiated that way. The most obvious way is to create a special type object for type aliases and resolve them lazily like we do for interfaces and classes. The catch with type aliases is that there would need to be some rules about what sorts of self references are not allowed (union/intersection constituents, target type of a generic type reference, etc). |
The only way to realistically fix this issue is to completely change how types are even resolved. As I said, it's inductive (in the sense of mathematical induction) vs deductive (in the traditional sense) type checking. Haskell's relies on mathematical induction. That's why this is possible: -- Part of a Haskell JSON library. Makes use of a GHC extension.
-- Documentation: https://hackage.haskell.org/package/json-0.9.1/docs/Text-JSON.html
-- Source: https://hackage.haskell.org/package/json-0.9.1/docs/src/Text-JSON-Types.html
data JSValue
= JSNull
| JSBool !Bool
| JSRational Bool{-as Float?-} !Rational
| JSString JSString
| JSArray [JSValue]
| JSObject (JSObject JSValue)
deriving (Show, Read, Eq, Ord, Typeable)
newtype JSString = JSONString { fromJSString :: String }
deriving (Eq, Ord, Show, Read, Typeable)
newtype JSObject e = JSONObject { fromJSObject :: [(String, e)] }
deriving (Eq, Ord, Show, Read, Typeable ) I couldn't find a single JSON implementation that both enforced correctness fully at compile time and didn't have a type system that uses mathematical induction. |
@jbondc All I can say is good luck. Another thing to beware of is that this wouldn't work completely when you're interacting with JS. 😦 (I kinda wish I could have dependent types myself...) Although it might help in typing Function.prototype.bind/Function.prototype.call. And if it can include array tuples, it can also type Function.prototype.apply. 😃 |
The original issue is handled by #3496 (comment) it sure would be nice to be able to write |
Don't mind submitting a PR for this. Will spend some time exploring incremental parsing before I revisit. |
closing. |
@isiahmeadows The TypeScript translation of the Haskell json data type that you've posted works just fine: type JSValue = { kind: 'JSNull' }
| { kind: 'JSBool', value: boolean }
| { kind: 'JSString', value: string }
| { kind: 'JSRational', asFloat: boolean, value: number }
| { kind: 'JSArray', value: JSValue[] }
| { kind: 'JSObject', value: { [key: string]: JSValue } }
|
@isiahmeadows That's called "equirecursive" and "isorecursive" approaches to infinite types. In first case we get "real" infinite types, and it's barely possible to do type inference there, even without any other type system extensions. In a big type system like TS there might not be even a way to typecheck it. Most programming languages (including Haskell and O'Caml) prefer to use isorecursive approach. Operations on named types (constructing its instance or pattern-matching it) include operations of explicit type folding and unfolding, while types are represented in finite notation and don't equal each other even if they're isomorphic to each other. Recursion on type aliases is essentially equirecursive feature, and it's most likely impossible to implement in TS at all. Someone could make a proof of this claim, but type system of TS is unsound anyway, so there's not much sense in making it. |
|
@metasansana #9825 - It's a theoretical thing. |
@metasansana There is even a gist for it: https://gist.github.com/t0yv0/4449351 The following code shouldn't compile, but it does class A {}
class B extends A {
foo(x: string) : string {
return x + "!";
};
}
function f1(k: (a: A) => void) : void {
k(new A());
}
function f2(k: (a: B) => void) : void {
f1(k);
}
f2(function (x: B) { console.log(x.foo("ABC")); }); This is one of the many bugs in type system of TS, and, unfortunately
|
did you try compiling your code with |
@Aleksey-Bykov I tried it in TS playground. It doesn't have such a flag. In no way this should be a "feature" disabled by default, let alone the fact it shouldn't even exist. "False positives" are intolerable in type systems. |
the problem you are talking about doesnt exist anymore, typescript takes it slow progressing from loose to strict giving us a chance to tighten our code (originally written in js) one step at a time at a comfortable pace, this is the reason for the flag playground might be lagging behind the latest version in master, but it doesnt stop anyone from using it in production what else is wrong? honestly there are very few impurities left in TS that make your code unsound, and TS design team doesnt hesitate rolling out breaking changes for the sake of brighter future, i am personally very happy with that, wish you the same |
@Aleksey-Bykov You meant the |
Fixed in #33050. |
I have a recursive type definition for JSON Serializable entities (Exhibit A, edited after discussion with @JsonFreeman ):
I would like to be able to write the following, but get a circular reference error (Exhibit B):
How difficult would it be to address this limitation of the type system?
The text was updated successfully, but these errors were encountered: