Skip to content
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

Proposal: covariance and contravariance generic type arguments annotations #10717

Closed
Igorbek opened this issue Sep 6, 2016 · 62 comments · Fixed by #48240
Closed

Proposal: covariance and contravariance generic type arguments annotations #10717

Igorbek opened this issue Sep 6, 2016 · 62 comments · Fixed by #48240
Labels
In Discussion Not yet reached consensus Suggestion An idea for TypeScript

Comments

@Igorbek
Copy link
Contributor

Igorbek commented Sep 6, 2016

I have published a proposal document that makes attempt to address an outstanding issue with type variance, that was brought and discussed at #1394

The work is currently not complete, however the idea is understood and just needs proper wording and documenting. I would like to hear feedback from the TypeScript team and community before I waste too much :).

Please see the proposal here - https://github.com/Igorbek/TypeScript-proposals/tree/covariance/covariance, and below is a summary of the idea

Problem

There's a huge hole in the type system that assignability checking does not respect a contravariant nature of function input parameters:

class Base { public a; }
class Derived extends Base { public b; }

function useDerived(derived: Derived) { derived.b; }

const useBase: (base: Base) => void = useDerived; // this must not be allowed
useBase(new Base());    // no compile error, runtime error

Currently, TypeScript considers input parameters bivariant.
That's been designed in that way to avoid too strict assignability rules that would make language use much harder. Please see links section for argumentation from TypeScript team.

There're more problematic examples at the original discussion #1394

Proposal summary

Please see proposal document for details.

  1. Strengthen input parameters assignability constraints from considering bivariant to considering contravariant.
  2. Introduce type variance annotations (in and out) in generic type argument positions
    1. in annotates contravariant generic type arguments
    2. out annotates covariant generic type arguments
    3. in out and out in annotate bivariant generic type arguments
    4. generic type arguments without these annotations are considered invariant
  3. The annotated generic types annotated with in and out are internally represented by compiler constructed types (transformation rules are defined in the proposal)

Additionally, there're a few optional modifications being proposed:

  1. Allow type variance annotation (in and out) in generic type parameter positions to instruct compiler check for co/contravariance violations.
  2. Introduce write-only properties (in addition to read-only), so that contravariant counterpart of read-write property could be extracted
  3. Improve type inference system to make possible automatically infer type variance from usage

Details

Within a type definitions each type reference position can be considered as:

  • covariant position, that means for output (such as method/call/construct return types)
  • contravariant position, that means for input (such as input parameters)

So that when a generic type referenced with annotated type argument, a new type constructed from the original by stripping out any variance incompatibilities:

  • write(x: T): void is removed when T referenced with out
  • read(): T is reset to read(): {} when T referenced with in
  • prop: T becomes readonly prop: T when T referenced with out
  • ... see more details in the proposal document

Examples

Say an interface is defined:

interface A<T> {
    getName(): string;  // no generic parameter referenced
    getNameOf(t: T): string;    // reference in input
    whoseName(name: string): T; // reference in output
    copyFrom(a: A<in T>): void;  // explicitly set contravariance
    copyTo(a: A<out T>): void;   // explicitly set covariance
    current: T;         // read-write property, both input and output
}

So that, when it's referenced as A<out T> or with any other annotations, the following types are actually constructed and used:

interface A<in T> {
    getName(): string;  // left untouched
    getNameOf(t: T): string;    // T is in contravariant position, left
    whoseName(name: string): {};   // T is in covariant position, reset to {}
    copyFrom(a: A<in T>): void;  // T is contravariant already
    //copyTo(a: A<out T>): void; // T is covariant, removed
    //current: T;   // T is in bivariant position, write-only could be used if it were supported 
}

interface A<out T> {
    getName(): string;  // left untouched
    //getNameOf(t: T): string;  // T is in contravariant position, removed
    whoseName(name: string): T; // T is in covariant position, left 
    //copyFrom(a: A<in T>): void;  // T is contravariant, removed
    copyTo(a: A<out T>): void;   // T is covariant, left
    readonly current: T;    // readonly property is in covariant position 
}

interface A<in out T> {  // bivariant
    getName(): string;  // left untouched
    //getNameOf(t: T): string;    // T is in contravariant position, removed
    whoseName(name: string): {};   // T is in covariant position, reset to {}
    //copyFrom(a: A<in T>): void;  // T is contravariant, removed
    //copyTo(a: A<out T>): void; // T is covariant, removed
    readonly current: {};    // readonly property is in covariant position, but type is stripped out 
}

Links

Call for people

@ahejlsberg
@RyanCavanaugh
@danquirk

@Aleksey-Bykov
@isiahmeadows

@dead-claudia
Copy link

This reminds me a lot of Kotlin's covariant and contravariant generics
syntactically. Just a first impression (I haven't really dug deep into this
yet).

On Mon, Sep 5, 2016, 23:23 Igor Oleinikov notifications@github.com wrote:

I have published a proposal document that makes attempt to address an
outstanding issue with type variance, that was brought and discussed at
#1394 #1394

The work is currently not complete, however the idea is understood and
just needs proper wording and documenting. I would like to hear feedback
from the TypeScript team and community before I waste too much :).

Please see the proposal here -
https://github.com/Igorbek/TypeScript-proposals/tree/covariance/covariance,
and below is a summary of the idea
Problem

There's a huge hole in the type system that assignability checking does
not respect a contravariant nature of function input parameters:

class Base { public a; }class Derived extends Base { public b; }
function useDerived(derived: Derived) { derived.b; }
const useBase: (base: Base) => void = useDerived; // this must not be allowed
useBase(new Base()); // no compile error, runtime error

Currently, TypeScript considers input parameters bivariant
https://github.com/Microsoft/TypeScript-Handbook/blob/master/pages/Type%20Compatibility.md#function-parameter-bivariance
.
That's been designed in that way to avoid too strict assignability rules
that would make language use much harder. Please see links section
<#m_-8167296998011622822_links> for argumentation from TypeScript team.

There're more problematic examples at the original discussion #1394
#1394
Proposal summary

Please see proposal document
https://github.com/Igorbek/TypeScript-proposals/blob/covariance/covariance/proposal.md
for details.

  1. Strengthen input parameters assignability constraints from
    considering bivariant to considering contravariant.
  2. Introduce type variance annotations (in and out) in generic type
    argument positions
    1. in annotates contravariant generic type arguments
    2. out annotates covariant generic type arguments
    3. in out and out in annotate bivariant generic type arguments
    4. generic type arguments without these annotations are considered
      invariant
    5. The annotated generic types annotated with in and out are
      internally represented by compiler constructed types (transformation rules
      are defined in the proposal)

Additionally, there're a few optional modifications being proposed:

  1. Allow type variance annotation (in and out) in generic type
    parameter positions to instruct compiler check for co/contravariance
    violations.
  2. Introduce write-only properties (in addition to read-only), so that
    contravariant counterpart of read-write property could be extracted
  3. Improve type inference system to make possible automatically infer
    type variance from usage

Details

Within a type definitions each type reference position can be considered
as:

  • covariant position, that means for output (such as
    method/call/construct return types)
  • contravariant position, that means for input (such as input
    parameters)

So that when a generic type referenced with annotated type argument, a new
type constructed from the original by stripping out any variance
incompatibilities:

  • write(x: T): void is removed when T referenced with out
  • read(): T is reset to read(): {} when T referenced with in
  • prop: T becomes readonly prop: T when T referenced with out
  • ... see more details in the proposal document

Examples

Say an interface is defined:

interface A {
getName(): string; // no generic parameter referenced
getNameOf(t: T): string; // reference in input
whoseName(name: string): T; // reference in output
copyFrom(a: A): void; // explicitly set contravariance
copyTo(a: A): void; // explicitly set covariance
current: T; // read-write property, both input and output
}

So that, when it's referenced as A or with any other annotations,
the following types are actually constructed and used:

interface A {
getName(): string; // left untouched
getNameOf(t: T): string; // T is in contravariant position, left
whoseName(name: string): {}; // T is in covariant position, reset to {}
copyFrom(a: A): void; // T is contravariant already
//copyTo(a: A): void; // T is covariant, removed
//current: T; // T is in bivariant position, write-only could be used if it were supported
}
interface A {
getName(): string; // left untouched
//getNameOf(t: T): string; // T is in contravariant position, removed
whoseName(name: string): T; // T is in covariant position, left
//copyFrom(a: A): void; // T is contravariant, removed
copyTo(a: A): void; // T is covariant, left
readonly current: T; // readonly property is in covariant position
}
interface A { // bivariant
getName(): string; // left untouched
//getNameOf(t: T): string; // T is in contravariant position, removed
whoseName(name: string): {}; // T is in covariant position, reset to {}
//copyFrom(a: A): void; // T is contravariant, removed
//copyTo(a: A): void; // T is covariant, removed
readonly current: {}; // readonly property is in covariant position, but type is stripped out
}

Links

Call for people

@ahejlsberg https://github.com/ahejlsberg
@RyanCavanaugh https://github.com/RyanCavanaugh
@danquirk https://github.com/danquirk

@Aleksey-Bykov https://github.com/aleksey-bykov
@isiahmeadows https://github.com/isiahmeadows


You are receiving this because you were mentioned.
Reply to this email directly, view it on GitHub
#10717, or mute the thread
https://github.com/notifications/unsubscribe-auth/AERrBPCIezFYgMMrjMLcPWA5UDWKa9hZks5qnNy-gaJpZM4J1bdK
.

@DanielRosenwasser
Copy link
Member

DanielRosenwasser commented Sep 6, 2016

@isiahmeadows yup, it's called use-site variance. Kotlin has both use- and declaration- site variance. Check out their paper on it.

I can't say whether we're committed to variance, but I highly suspect that given the way Array is used, use-site variance would be necessary; that's at least my at-a-glance opinion. The bigger problem as I see it is how variance would be inferred. Clearly you wouldn't want to make people write out types more often for this, so inferring would require some more machinery to work well.

@Igorbek
Copy link
Contributor Author

Igorbek commented Sep 6, 2016

In my proposal I'm also pointing declaration-site variance as optional part. It must just instruct compiler to verify for variance violations in type definitions, such as you cannot have covariant type taken in contravariant position.

@Igorbek
Copy link
Contributor Author

Igorbek commented Sep 6, 2016

@DanielRosenwasser if the inferring is too complicated, it might be a work for tooling as a first stage. Type argument without in and out is naturally understood as an invariant, so if we infer variance, we'd need to have a way to specify invariants explicitly (inv, invariant, exact).

@ghost
Copy link

ghost commented Sep 13, 2016

Please fight for this feature!

One very serious limitation of the assignable to-or-from rule in 3.11.2 is that Promises are unsafe. Consider the following code

var p: Promise<number> = ... ;
var p2: Promise<{}>;
var p3; Promise<string>;
p2 = p;
p3 = p2;
p3.then(s => s.substr(2)); // runtime error, no method 'substr' on number

This code shouldn't be allowed to typecheck; however, this code has passed typechecking in every version of Typescript from 0.8 through 2.0, even with all strictness checks enabled. Assigning {} to string would not typecheck. However, because of function arguments bivariance, the compiler allows Promise<{}> to be assigned to Promise<string>.

Async programming is hard enough without the compiler letting type errors slip through :-)

@dead-claudia
Copy link

Yep. That's a good reason to need it.

Oh, and given the above, I think the default behavior should be changed
after this gets implemented.

On Tue, Sep 13, 2016, 11:47 Aaron Lahman notifications@github.com wrote:

Please fight for this feature!

One very serious limitation of the assignable to-or-from rule in 3.11.2 is
that Promises are unsafe. Consider the following code

var p: Promise = ... ;
var p2: Promise<{}>;
var p3; Promise;
p2 = p;
p3 = p2;
p3.then(s => s.substr(2)); // runtime error, no method 'substr' on number

This code shouldn't typecheck. Assigning {} to string would not
typecheck. However, because of function arguments bivariance, Promise<{}>
assigns to Promise.


You are receiving this because you were mentioned.
Reply to this email directly, view it on GitHub
#10717 (comment),
or mute the thread
https://github.com/notifications/unsubscribe-auth/AERrBD2yh8h_mK90nMZPDCV8cX0Wo6cfks5qpsWdgaJpZM4J1bdK
.

@ghost
Copy link

ghost commented Sep 13, 2016

@isiahmeadows I doubt the default will get changed. I messaged the Typescript team back in 2013 about this -- back in 2013, promises were still pretty rare things. They agreed that promises would be important, but for every example I could show that broke, they could find 100 examples of jQuery and other frameworks that would have to forego all type checking if they changed the default. I could tell it was a hard decision for them, but back then jQuery trumped promises, and I think if we're honest, most Typescript users in 2013 would have agreed with that decision.

However, a lot has changed since 2013. Typescript 2.0 has shiny new type checker options. Maybe there's room in a future release to add an option for soundness.

@dead-claudia
Copy link

Good point. And of course, if you want to change the default, you have to
put an option there first (they added one for --strictNullChecks)

On Tue, Sep 13, 2016, 12:07 Aaron Lahman notifications@github.com wrote:

@isiahmeadows https://github.com/isiahmeadows I doubt the default will
get changed. I messaged the Typescript team back in 2013 about this -- back
in 2013, promises were still pretty rare things. They agreed that promises
would be important, but for every example I could show that broke, they
could find 100 examples of jQuery and other frameworks that would have to
forego all type checking if they changed the default.

However, a lot has changed since 2013. Typescript 2.0 has shiny new type
checker options. Maybe there's room in a future release to add an option
for soundness.


You are receiving this because you were mentioned.
Reply to this email directly, view it on GitHub
#10717 (comment),
or mute the thread
https://github.com/notifications/unsubscribe-auth/AERrBOnTJXbgq_Whb3T2kX-wdNhP76rkks5qpsj2gaJpZM4J1bdK
.

@Igorbek
Copy link
Contributor Author

Igorbek commented Sep 13, 2016

@aaronla-ms @isiahmeadows appreciate your support guys! I'm definitely gonna fight for this.

For me it seems pretty clear that current workaround where parameters are bivariant is not playing well with type safety. However I understand the TypeScript team when they're saying about complexity that could be introduced if just enforce users to write annotations always. So to keep language usage simple, inferring system must be smart enough so that means its implementation can really be challenging.
Probably we could investigate when declaration-site annotations (which is cheap) and simple inference rules solve majority of real-world issues and where use-site annotations would be really necessary.

Issue with promises could be solved with declaration-site variance. Let's imaging how would Promise definition look like:

interface Promise<out T> { // declaration-site covariance that enforces interface verification
    then<TResult>(onfulfilled?: (value: T) => TResult | PromiseLike<TResult>, onrejected?: (reason: any) => TResult | PromiseLike<TResult>): PromiseLike<TResult>;
    then<TResult>(onfulfilled?: (value: T) => TResult | PromiseLike<TResult>, onrejected?: (reason: any) => void): PromiseLike<TResult>;
}

var p: Promise</*implicitly out */ number> = ... ;
var p2: Promise<{}>;
var p3; Promise<string>;
p2 = p; // ok
p3 = p2; // here an error would be cought
p3.then(s => s.substr(2)); // runtime error, no method 'substr' on number

@ghost
Copy link

ghost commented Sep 13, 2016

Issue with promises could be solved with declaration-site variance

I'm assuming you mean with declaration-site variance and parameter contravariance. Otherwise it would still find that Promise<string> satisfies the interface { then: (onfulfilled: (value: {}) => ... } and permit the assignment, right?

@Igorbek
Copy link
Contributor Author

Igorbek commented Sep 13, 2016

I'm assuming you mean with declaration-site variance and parameter contravariance

Yes, that is exactly what I meant.

@dead-claudia
Copy link

TypeScript, if I understand correctly, already has parameter contravariance
support (U extends T where T is a class type parameter), which Promises
need. They need the covariant U super T for the other direction, though,
for completeness.

On Tue, Sep 13, 2016, 16:47 Igor Oleinikov notifications@github.com wrote:

I'm assuming you mean with declaration-site variance and parameter
contravariance

Yes, that is exactly what I meant.


You are receiving this because you were mentioned.
Reply to this email directly, view it on GitHub
#10717 (comment),
or mute the thread
https://github.com/notifications/unsubscribe-auth/AERrBDxCLqg7FTut9bYh4BGkQvlaQS4zks5qpwvFgaJpZM4J1bdK
.

@yortus
Copy link
Contributor

yortus commented Sep 14, 2016

The current Promise definition allows assigning across types even without the bivariance issue. See #9953 and #10524.

The following simplification of @aaronla-ms's example still compiles fine (without bivariance):

var p: Promise<number> = ... ;
var p3: Promise<string>;
p3 = p;
p3.then(s => s.substr(2)); // runtime error, no method 'substr' on number

@Igorbek
Copy link
Contributor Author

Igorbek commented Sep 14, 2016

@isiahmeadows that is not quite the same. you're pointing to type argument constrains (super constraint suggestion is tracked in #7004 and #7265) which are orthogonal to type variance. Constraints set relations between different type parameters (say <T, U> where T extends U). Variance sets relations between same type parameters in variations of produced existential (with concrete type arguments) types (when T is subtype of U then X<out T> is subtype of X<out U>).

@Igorbek
Copy link
Contributor Author

Igorbek commented Sep 14, 2016

@yortus that issue is caused by exact same issue - parameter bivariance. If promise had a property of type T (likewise C#'s Task<T>.Result) then it would be covariant. But since Promise exposes its underlying type T within parameter position it becomes bivariant.

@yortus
Copy link
Contributor

yortus commented Sep 14, 2016

@Igorbek I think it's a separate issue. If you comment out the nullary then() overload in the Promise class declaration, then promises of unrelated types can no longer be cross-assigned, and indeed the example will fail with Type 'number' is not assignable to type 'string'.

The bivariance issue remains for subtype/supertypes however.

@Igorbek
Copy link
Contributor Author

Igorbek commented Sep 14, 2016

(fixed the post, it was cut somehow)
@yortus I'd argue. Currently, lib.d.ts defines only PromiseLike as:

interface PromiseLike<T> {
    /**
    * Attaches callbacks for the resolution and/or rejection of the Promise.
    * @param onfulfilled The callback to execute when the Promise is resolved.
    * @param onrejected The callback to execute when the Promise is rejected.
    * @returns A Promise for the completion of which ever callback is executed.
    */
    then<TResult>(onfulfilled?: (value: T) => TResult | PromiseLike<TResult>, onrejected?: (reason: any) => TResult | PromiseLike<TResult>): PromiseLike<TResult>;
    then<TResult>(onfulfilled?: (value: T) => TResult | PromiseLike<TResult>, onrejected?: (reason: any) => void): PromiseLike<TResult>;
}

This definition prevents assigning PromiseLike<string> to Promise<number>. You can check it produces compiler error. However it can be worked around by using bivariance and intermediate type:

interface P<T> { // this is PromiseLike<P> for simplicity
    then<TResult>(onfulfilled?: (value: T) => TResult | P<TResult>, onrejected?: (reason: any) => TResult | P<TResult>): P<TResult>;
    then<TResult>(onfulfilled?: (value: T) => TResult | P<TResult>, onrejected?: (reason: any) => void): P<TResult>;
}

let p1: P<string>;
let p2: P<number> = p1;  // compiler error (with current compiler)

let p3: P<{ a; }>;
let p4: P<{ b; }> = p3;  // compiler error, again
// but, if I do
let p5: P<{ a; b; }> = p3; // ok, contravariance 
let p6: P<{ b; }> = p5; // ok (P<{ a; }> assigned), covariance (so that is bivariance in total)

@yortus
Copy link
Contributor

yortus commented Sep 14, 2016

@Igorbek that's all true for PromiseLike, but Promise has a nullary then overload which gets used to determine that promises with unrelated types are always structurally compatible. See #10524 (comment). There an open PR to fix this, then there will be just the bivariance issue left....

@Igorbek
Copy link
Contributor Author

Igorbek commented Sep 14, 2016

ah, ok, that makes sense. I didn't count that is other Promise. Anyway, it's buggy since being covariant by definition, it's bivariant according to type checker.

@ghost
Copy link

ghost commented Sep 15, 2016

Btw, I remembered an old hack abusing property covariance that the Typescript folks showed me first time I hit this issue. Until you have covariance annotations, you could add a dummy optional field of type T. Properties and return values are already covariant (contravariant assignments disallowed), causing your generic to become covariant in T as well.

interface Animal {}
interface Dog extends Animal { woof();}
interface Promise2<T> {
    _covariant?: T; // never actually initialized; just for type checking
    then<U>(cb: (value: T) => Promise2<U>): Promise2<U>;    
}
var p2a: Promise2<Animal> = null;
var p2d: Promise2<Dog> = null;

p2a = p2d; // as desired, is sound and compiler accepts.
p2d = p2a; // as desired, is unsound and compiler rejects: "Type 'Promise2<Animal>' not assignable to 'Promise2<Dog>'. Type 'Animal' not assignable to 'Dog'."

function test3<T, U extends T>(b: Promise2<T>, d: Promise2<U>) {
    b = d; // as desired, is sound and compiler accepts.
    d = b; // as desired, is sound and compiler rejects: "Type 'Promise2<T>' not assignable to 'Promise2<U>'. Type 'T' not assignable to 'U'."
}

Is there an obvious way to extend this to contravariant type as well (e.g. interface IObserver<T> { observe(value: T): void; })?

@Igorbek
Copy link
Contributor Author

Igorbek commented Sep 16, 2016

@aaronla-ms nice trick, that technique is also used for emulating nominal types by introducing a private "brand" property.
Unfortunately, TypeScript only uses covariance and bivariance and no contravariance. I don't think there's a way to work this around.
@DanielRosenwasser do you think that the team would at least start discussion about this feature. Can we expect that it would be brought to a slog at some point and when if so?

@Igorbek
Copy link
Contributor Author

Igorbek commented Nov 4, 2016

ref #11943 for tracking a good variance-related call to be addressed in the proposal.

@RastislavMirek
Copy link

RastislavMirek commented Oct 22, 2018

@ahejlsberg @pelotom Implicit variance tracking is definitelly nice progress. However, it can be proven that language that contains generics but not variance cannot be sound (unless it forces invariance everywhere or it does not have inheritance which is not the case with TS). See for example comment by @Igorbek above.

I understand that soundness is not the ultimate north star for TS but still, catching as many type-related issues as possible would be great. Explicit variance is no evil. It is not hard-to-use. It is part of almost every modern language that offers generics including the most popular ones. Today, people are used to it, understand it and expect it. So why not simplify their lifes and just give it to them?

@dead-claudia
Copy link

@RastislavMirek Borderline off-topic, but do you have any links to any papers showing this? I'm just asking out of curiosity.

@Jessidhia
Copy link

The main place where I encounter the issue is with "out" parameters, the most common being a React ref.

At the time this issue was made, React didn't use createRef or useRef so the problem was narrowly avoided with the use of the bivarianceHack trick for callback refs.

But ref objects are just { readonly current: T | null } (readonly from the point of view of the user; React will write into it). This is also normally not a problem when the ref object that you create is fully under your control, but it becomes troublesome when trying to communicate between components with ref.

The easiest example is that <a ref={React.createRef<HTMLElement>()} /> will be a type error because TS will think we're trying to give it an HTMLElement when it wants HTMLAnchorElement; but in reality it's the opposite. We're asking for an HTMLElement, and if it gives us an HTMLAnchorElement we'll be just as fine with it.

A heuristic I'd thought of proposing is that if all the keys of the object that you give are readonly but the argument type expects them to be writable, that this object should be considered contravariant instead; but that can cause problems with unsoundly-written type definitions, particularly ones that don't correctly annotate their ReadonlyArray.

@Igorbek
Copy link
Contributor Author

Igorbek commented Feb 8, 2019

Right, in React ref would be used like this:

type Ref<T> = { current: T | null; }

// React writes ref
function _reactSetRef<T>(ref: Ref<in T>, value: T | null) {
 //                               ^^^^ allow anything that T is assignable to
  ref.current = value; // ok
}

const myref = createRef<HTMLElement>();

// Props<'input'> = { ... ref: Ref<in HTMLInputElement> }
<input ref={myref} />; // ok

@dead-claudia
Copy link

React's contravariant ref could be solved just by making that property write-only, if only that existed.

@Adjective-Object
Copy link

Adjective-Object commented Jun 12, 2019

I think I'm bumping into this when using slotted components in react?

Say for example I have some component

<HostComponent<T> renderView={ViewRenderer<T>} />

where renderView is used to render some subcomponent of HostComponent

<HostComponent<Chicken> renderView={BirdView} />

My instinct is that this should typecheck since ViewRenderer only reads T to render a component, but it doesn't in current typescript since ViewRenderer<T> is covariant on T instead of contravariant.


Edit: for anyone else looking at a similar problem, the solution I came to was to reassign the identifiers through a utility type. I'm not happy with the solution, but at least it'll throw an error at the callsite if the types change in the future.

/**
 * Because typescript doesn't support contravariance or writeonly props to components,
 * 'write-only' parameter (e.g. generic component slots) must be cast to exact types at
 * the callsite.
 *
 * See related typescript issue
 * https://github.com/Microsoft/TypeScript/issues/10717
 *
 * This alias checks that the type we're casting to is a subtype of the exact expected type
 * so the cast site won't break silently in the future.
 */
type VarianceHack<ParentType, ChildType> = ChildType extends ParentType ? ParentType : never;
const ChickenView = BirdView as VarianceHack<
    ViewRenderer<Chicken>,
    typeof BirdView
>;

///...

<HostComponent<Chicken> renderView={ChickenView} />

@RyanCavanaugh
Copy link
Member

I came back to this issue because we've been seeing a lot of confusion around how variance gets measured. A particular example is something that looks covariant:

class Reader<T> {
    value!: T;
    getProperty(k: keyof T): T[keyof T] {
        return this.value[k];
    }
}

type A = { a: string };
type AB = A & { b: number };

function fn<T>(inst: Reader<A>) {
    const s: string = inst.getProperty("a");
}

declare const ab: Reader<AB>;
// Disallowed, why?
fn(ab);

It really seems like Reader<T> is covariant over T, and it is as long as k never originates in an aliased keyof T position. You have to add a field somewhere but it doesn't modify the class variance:

class Reader<T> {
    value!: T;
    someKey!: keyof T;

    getProperty(k: keyof T): T[keyof T] {
        return this.value[k];
    }
}

type A = { a: string };
type AB = A & { b: number };

function fn<T>(inst: Reader<A>) {
    const s: string = inst.getProperty(inst.someKey);
}

declare const ab: Reader<AB>;
// Legal
ab.someKey = "b";
// Causes s: string to get a number
fn(ab);

Indeed if you just extracted out getProperty to a bare function, it'd be obviously contravariant:

declare const a: A;
declare const kab: keyof AB;
declare function getProperty<T, K extends keyof T>(value: T, key: K): T[K];
// Illegal because kab could be 'b'
getProperty(a, kab);

The problem is the original example here is not really contravariant/invariant without some aliasing step, and you have no way to assert that this aliasing doesn't actually occur in your program - the measured variance is the measured variance, full stop.

The follow-on is that it's not clear what to do. If you let you write

class Reader<covariant T> {

we'd presumably just have to error on the declaration of getProperty, because it really is not a covariant usage - in any reasonable definition, this would work the same way implements does (an assertion of a measured fact, not an override of reality).

It seems like what you want is some way to annotate specific use sites of T to override their variance measurement, or maybe some crazy way to define getProperty in a way that it disallows aliased values of k, though it's not clear how that's even remotely possible.

As for use-site variance annotations, I don't think this is a good route. The variance of any particular site is purely manifested by its position; the only real missing feature here is writeonly (which I think is ultimately inevitable, despite our protests).

@Igorbek
Copy link
Contributor Author

Igorbek commented Aug 20, 2019

@RyanCavanaugh thank you for getting back to this issue and keeping thinking of attacking it in some direction.

I totally agree that this a common confusion what is variance is and how it relates to readonly-ness. It seems to me that most of the time covariance and readonly-ness are used interchangeably.

However, I would argue that in my original proposal I had the same misunderstanding and, more importantly, I still insist that use-site variance has its own dedicated value for the type system correctness and expressiveness.

First, I want to admit that having such a level of expressiveness definitely requires a very advanced understanding of it is and how to use it correctly. It is supposed to be used by library and type definition authors. Therefore, I agree the feature needs to be designed very carefully to not harm most regular users. No rush at all, especially many use-cases were already addressed with readonly and stricter variance checking.

As for use-site variance annotations, I don't think this is a good route. The variance of any particular site is purely manifested by its position; <...>

There're still positions where the variance in respect to generic types cannot be manifested by its position. A simple example can show this:

/** Moves data from the source array to the destination array and return the destination's final size */
function moveData<T>(source: readonly T[], destination: writeonly T[]): number {
  while (source.length) {
    destination.push(source.pop()); // 'pop' is not defined on ReadonlyArray<T>
  }
  return destination.length; // 'length' getter is not defined on WriteonlyArray<T>
}

What the intent there really is not readonly/writeonly for these arrays. Is that a guarantee that only subtypes of T will be used from source and supertypes of T in destination:

moveData(cats, animals); // allowed
moveData(animals, cats); // disallowed

The correct signature to express that would be:

declare function moveData<T>(
  source: { readonly length: number; pop(): T; }, // T is covariant
  destination: { readonly length: number; push(item: T): void; } // T is contravariant
): number;

So, what I've been suggesting, is to allow use-site variance annotations that construct new types from existing:

declare function moveData<T>(
  source: out T[], // not the same as readonly T[]
  destination: in T[] // not the same as writeonly T[]
): number;

The examples with arrays usually are very confusing because they are usually really meant readonly/writeonly. But I wanted to show with simple constructs.

@suchipi
Copy link

suchipi commented Aug 7, 2020

Just hit the exact case @Jessidhia mentioned in #10717 (comment).

Is there a workaround other than // @ts-ignore available?

@pyrocto
Copy link

pyrocto commented Jan 27, 2021

There's a way to get type safety even in the presence of bivariance. The example in the handbook is this one:

enum EventType {
  Mouse,
  Keyboard,
}
 
interface Event {
  timestamp: number;
}
interface MyMouseEvent extends Event {
  x: number;
  y: number;
}
interface MyKeyEvent extends Event {
  keyCode: number;
}
 
function listenEvent(eventType: EventType, handler: (n: Event) => void) {
  /* ... */
}
 
// Unsound, but useful and common
listenEvent(EventType.Mouse, (e: MyMouseEvent) => console.log(e.x + "," + e.y));
 
// Undesirable alternatives in presence of soundness
listenEvent(EventType.Mouse, (e: Event) =>
  console.log((e as MyMouseEvent).x + "," + (e as MyMouseEvent).y)
);
listenEvent(EventType.Mouse, ((e: MyMouseEvent) =>
  console.log(e.x + "," + e.y)) as (e: Event) => void);
 
// Still disallowed (clear error). Type safety enforced for wholly incompatible types
listenEvent(EventType.Mouse, (e: number) => console.log(e));

But we can get what we want with a simple change to the signature of listenEvent:

type GenericEvent<E extends EventType> = E extends EventType.Mouse ? MyMouseEvent : MyKeyEvent
 
function listenEvent<E extends EventType>(eventType: E, handler: (n: GenericEvent<E>) => void): void;
function listenEvent(eventType: EventType, handler: (n: GenericEvent<typeof eventType>) => void): void {
  /* ... */
}
 
// Valid
listenEvent(EventType.Mouse, (e: MyMouseEvent) => console.log(e.x + "," + e.y));
// Valid
listenEvent(EventType.Keyboard, (e: MyKeyEvent) => console.log(e.keyCode));
// Invalid
listenEvent(EventType.Mouse, (e: MyKeyEvent) => console.log(e.keyCode));
// Invalid
listenEvent(EventType.Mouse, (e: Event) => console.log(e.x + "," + e.y));

nanaya added a commit to nanaya/osu-web that referenced this issue May 14, 2021
- remove currently un-typeable ref (probably related to [1])
- remove `any` typings

[1] microsoft/TypeScript#10717
nanaya added a commit to nanaya/osu-web that referenced this issue May 14, 2021
- remove currently un-typeable ref (probably related to [1] or [2])
- remove `any` typings

[1] microsoft/TypeScript#10717
[2] microsoft/TypeScript#21759
nanaya added a commit to nanaya/osu-web that referenced this issue May 14, 2021
- default export
- rearrange for shorter functions
- remove currently un-typeable ref (probably related to [1] or [2])
- remove `any` typings

[1] microsoft/TypeScript#10717
[2] microsoft/TypeScript#21759
@TylorS
Copy link

TylorS commented Jun 4, 2021

I've had to build up a type-level DSL around a type-level map to register variance for given data types. I've been especially interested in utilizing Contravariance to build intersections of requirements from smaller pieces fwiw. I think it'd be a great step in the right direction to be able to specify variance per generic explicitly. Any future plans to revisit this issue?

@ghost
Copy link

ghost commented Jun 4, 2021

Seconded @TylorS -- that's actually how I hit this back in ~2013 too, with a type-directed DSL for parser combinators with auto-completion. Back then, unsoundness was a "feature", a design compromise balancing safety vs usability of jQuery and other web frameworks that relied heavily highly overloaded APIs (back before Typescript supported type overloading at all)

Unfortunately I'm not working much in the Typescript space anymore. Hopefully someone else on the thread knows if there are other options that might fulfill the same purpose.

@nin-jin
Copy link

nin-jin commented Mar 15, 2022

I would like the variance to be untied from generics, but to be a property of types and could be derived from the function code. Look at some analysis here: https://dev.to/ninjin/variance-from-zero-to-the-root-57ek

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
In Discussion Not yet reached consensus Suggestion An idea for TypeScript
Projects
None yet
Development

Successfully merging a pull request may close this issue.