TypeScript ignore expression `if (object instanceof SomeClass)` inside `for(){}`? Or not?

89 Views Asked by At

I have code (see comments):

class ClassA
{
  propA: any;
}

class ClassB
{
  propB: any;
}

function fn( arr: (ClassA | ClassB)[] )
{
  for( let element of arr )
  {
    if( element instanceof ClassA )
    {
      element.propA = true; // Work as expected

      () =>
      {
        element.propA; // Unexpected error
      }
    }
  }
}

Message of unexpectedly error:

Property 'propA' does not exist on type 'ClassA | ClassB'.

Property 'propA' does not exist on type 'ClassB'.

When I remove the loop for(){}. Works as expected:

class ClassA
{
  propA: any;
}

class ClassB
{
  propB: any;
}

function fn( element: ClassA | ClassB )
{
  if( element instanceof ClassA )
  {
    element.propA = true; // Work as expected

    () =>
    {
      element.propA; // Work as expected
    }
  }
}

It's a bug?

1

There are 1 best solutions below

0
On BEST ANSWER

Resolved by aluanhaddad - contributor TypeScript:

Your inner function is closing over a mutable binding that is scoped outside the if block and is thus not always going to be an instance of ClassA.

To make this work, use a const binding:

function fn(arr: (ClassA | ClassB)[]) {
  for(const element of arr) {