From 1d7b9135ea935b5bb864e14d90094e1a2951c163 Mon Sep 17 00:00:00 2001 From: Yuji Sugiura Date: Fri, 28 Mar 2025 13:39:29 +0900 Subject: [PATCH 01/11] feat(ast)!: Add `computed` property to `TSEnumMember` and `TSEnumMemberName::TemplateString` --- crates/oxc_ast/src/ast/ts.rs | 2 ++ crates/oxc_ast/src/ast_impl/ts.rs | 5 +++++ crates/oxc_parser/src/ts/statement.rs | 21 +++++++-------------- 3 files changed, 14 insertions(+), 14 deletions(-) diff --git a/crates/oxc_ast/src/ast/ts.rs b/crates/oxc_ast/src/ast/ts.rs index e22f034a6c575..8f7633c76ab91 100644 --- a/crates/oxc_ast/src/ast/ts.rs +++ b/crates/oxc_ast/src/ast/ts.rs @@ -122,6 +122,7 @@ pub struct TSEnumBody<'a> { pub struct TSEnumMember<'a> { pub span: Span, pub id: TSEnumMemberName<'a>, + pub computed: bool, pub initializer: Option>, } @@ -132,6 +133,7 @@ pub struct TSEnumMember<'a> { pub enum TSEnumMemberName<'a> { Identifier(Box<'a, IdentifierName<'a>>) = 0, String(Box<'a, StringLiteral<'a>>) = 1, + TemplateString(Box<'a, TemplateLiteral<'a>>) = 2, } /// TypeScript Type Annotation diff --git a/crates/oxc_ast/src/ast_impl/ts.rs b/crates/oxc_ast/src/ast_impl/ts.rs index af97bced35f54..3f7a67b632454 100644 --- a/crates/oxc_ast/src/ast_impl/ts.rs +++ b/crates/oxc_ast/src/ast_impl/ts.rs @@ -12,10 +12,15 @@ use crate::ast::*; impl<'a> TSEnumMemberName<'a> { /// Get the name of this enum member. + /// # Panics + /// Panics if `self` is a `TemplateString` with no quasi. pub fn static_name(&self) -> Atom<'a> { match self { Self::Identifier(ident) => ident.name, Self::String(lit) => lit.value, + Self::TemplateString(template) => template + .quasi() + .expect("`TSEnumMemberName::TemplateString` should have no substituion and at least one quasi"), } } } diff --git a/crates/oxc_parser/src/ts/statement.rs b/crates/oxc_parser/src/ts/statement.rs index c74c8438b1a59..f26b5f4d1d88c 100644 --- a/crates/oxc_parser/src/ts/statement.rs +++ b/crates/oxc_parser/src/ts/statement.rs @@ -56,32 +56,25 @@ impl<'a> ParserImpl<'a> { pub(crate) fn parse_ts_enum_member(&mut self) -> Result> { let span = self.start_span(); - let id = self.parse_ts_enum_member_name()?; + let (id, computed) = self.parse_ts_enum_member_name()?; let initializer = if self.eat(Kind::Eq) { Some(self.parse_assignment_expression_or_higher()?) } else { None }; - Ok(self.ast.ts_enum_member(self.end_span(span), id, initializer)) + Ok(self.ast.ts_enum_member(self.end_span(span), id, computed, initializer)) } - fn parse_ts_enum_member_name(&mut self) -> Result> { + fn parse_ts_enum_member_name(&mut self) -> Result<(TSEnumMemberName<'a>, bool)> { match self.cur_kind() { Kind::Str => { let literal = self.parse_literal_string()?; - Ok(TSEnumMemberName::String(self.alloc(literal))) + Ok((TSEnumMemberName::String(self.alloc(literal)), false)) } Kind::LBrack => match self.parse_computed_property_name()? { - Expression::StringLiteral(literal) => Ok(TSEnumMemberName::String(literal)), + Expression::StringLiteral(literal) => Ok((TSEnumMemberName::String(literal), true)), Expression::TemplateLiteral(template) if template.is_no_substitution_template() => { - Ok(self.ast.ts_enum_member_name_string( - template.span, - template.quasi().unwrap(), - Some(Atom::from( - Span::new(template.span.start + 1, template.span.end - 1) - .source_text(self.source_text), - )), - )) + Ok((TSEnumMemberName::TemplateString(template), true)) } Expression::NumericLiteral(literal) => { Err(diagnostics::enum_member_cannot_have_numeric_name(literal.span())) @@ -96,7 +89,7 @@ impl<'a> ParserImpl<'a> { } _ => { let ident_name = self.parse_identifier_name()?; - Ok(TSEnumMemberName::Identifier(self.alloc(ident_name))) + Ok((TSEnumMemberName::Identifier(self.alloc(ident_name)), false)) } } } From ac97ebfa634f03a8eaea8faf5111bb09117875e3 Mon Sep 17 00:00:00 2001 From: Yuji Sugiura Date: Fri, 28 Mar 2025 13:40:54 +0900 Subject: [PATCH 02/11] Update downstream --- crates/oxc_codegen/src/gen.rs | 7 +++++++ crates/oxc_isolated_declarations/src/enum.rs | 6 ++---- crates/oxc_transformer/src/typescript/enum.rs | 5 +---- 3 files changed, 10 insertions(+), 8 deletions(-) diff --git a/crates/oxc_codegen/src/gen.rs b/crates/oxc_codegen/src/gen.rs index c99237c1774b2..c2d1ca9d30fce 100644 --- a/crates/oxc_codegen/src/gen.rs +++ b/crates/oxc_codegen/src/gen.rs @@ -3755,9 +3755,16 @@ impl Gen for TSEnumBody<'_> { impl Gen for TSEnumMember<'_> { fn r#gen(&self, p: &mut Codegen, ctx: Context) { + if self.computed { + p.print_ascii_byte(b'['); + } match &self.id { TSEnumMemberName::Identifier(decl) => decl.print(p, ctx), TSEnumMemberName::String(decl) => p.print_string_literal(decl, false), + TSEnumMemberName::TemplateString(decl) => decl.print(p, ctx), + } + if self.computed { + p.print_ascii_byte(b']'); } if let Some(init) = &self.initializer { p.print_soft_space(); diff --git a/crates/oxc_isolated_declarations/src/enum.rs b/crates/oxc_isolated_declarations/src/enum.rs index 60c50a117d49e..2d7f0547af5fa 100644 --- a/crates/oxc_isolated_declarations/src/enum.rs +++ b/crates/oxc_isolated_declarations/src/enum.rs @@ -44,16 +44,14 @@ impl<'a> IsolatedDeclarations<'a> { prev_initializer_value.clone_from(&value); if let Some(value) = &value { - let member_name = match &member.id { - TSEnumMemberName::Identifier(id) => id.name, - TSEnumMemberName::String(str) => str.value, - }; + let member_name = member.id.static_name(); prev_members.insert(member_name, value.clone()); } let member = self.ast.ts_enum_member( member.span, member.id.clone_in(self.ast.allocator), + false, value.map(|v| match v { ConstantValue::Number(v) => { let is_negative = v < 0.0; diff --git a/crates/oxc_transformer/src/typescript/enum.rs b/crates/oxc_transformer/src/typescript/enum.rs index 80b5486d88801..1480cc9af53ef 100644 --- a/crates/oxc_transformer/src/typescript/enum.rs +++ b/crates/oxc_transformer/src/typescript/enum.rs @@ -217,10 +217,7 @@ impl<'a> TypeScriptEnum<'a> { let mut prev_member_name = None; for member in members.iter_mut() { - let member_name = match &member.id { - TSEnumMemberName::Identifier(id) => id.name, - TSEnumMemberName::String(str) => str.value, - }; + let member_name = member.id.static_name(); let init = if let Some(initializer) = &mut member.initializer { let constant_value = From a918eeee4b886ac7ae9c8483bd2650e5a7f46153 Mon Sep 17 00:00:00 2001 From: Yuji Sugiura Date: Fri, 28 Mar 2025 13:41:09 +0900 Subject: [PATCH 03/11] Update gen and snapshots --- .../oxc_ast/src/generated/assert_layouts.rs | 10 +- crates/oxc_ast/src/generated/ast_builder.rs | 22 +- .../oxc_ast/src/generated/derive_clone_in.rs | 8 + .../src/generated/derive_content_eq.rs | 2 + crates/oxc_ast/src/generated/derive_dummy.rs | 1 + crates/oxc_ast/src/generated/derive_estree.rs | 2 + .../src/generated/derive_get_address.rs | 1 + .../oxc_ast/src/generated/derive_get_span.rs | 1 + .../src/generated/derive_get_span_mut.rs | 1 + crates/oxc_ast_visit/src/generated/visit.rs | 1 + .../oxc_ast_visit/src/generated/visit_mut.rs | 1 + crates/oxc_traverse/src/generated/ancestor.rs | 11 + crates/oxc_traverse/src/generated/walk.rs | 3 + napi/parser/deserialize-js.js | 7 +- napi/parser/deserialize-ts.js | 7 +- npm/oxc-types/types.d.ts | 3 +- .../coverage/snapshots/estree_typescript.snap | 3556 ++++++++++++++++- 17 files changed, 3609 insertions(+), 28 deletions(-) diff --git a/crates/oxc_ast/src/generated/assert_layouts.rs b/crates/oxc_ast/src/generated/assert_layouts.rs index b5fff75b3c340..51c7844d570e9 100644 --- a/crates/oxc_ast/src/generated/assert_layouts.rs +++ b/crates/oxc_ast/src/generated/assert_layouts.rs @@ -925,11 +925,12 @@ const _: () = { assert!(offset_of!(TSEnumBody, span) == 0); assert!(offset_of!(TSEnumBody, members) == 8); - assert!(size_of::() == 40); + assert!(size_of::() == 48); assert!(align_of::() == 8); assert!(offset_of!(TSEnumMember, span) == 0); assert!(offset_of!(TSEnumMember, id) == 8); - assert!(offset_of!(TSEnumMember, initializer) == 24); + assert!(offset_of!(TSEnumMember, computed) == 24); + assert!(offset_of!(TSEnumMember, initializer) == 32); assert!(size_of::() == 16); assert!(align_of::() == 8); @@ -2320,11 +2321,12 @@ const _: () = { assert!(offset_of!(TSEnumBody, span) == 0); assert!(offset_of!(TSEnumBody, members) == 8); - assert!(size_of::() == 24); + assert!(size_of::() == 28); assert!(align_of::() == 4); assert!(offset_of!(TSEnumMember, span) == 0); assert!(offset_of!(TSEnumMember, id) == 8); - assert!(offset_of!(TSEnumMember, initializer) == 16); + assert!(offset_of!(TSEnumMember, computed) == 16); + assert!(offset_of!(TSEnumMember, initializer) == 20); assert!(size_of::() == 8); assert!(align_of::() == 4); diff --git a/crates/oxc_ast/src/generated/ast_builder.rs b/crates/oxc_ast/src/generated/ast_builder.rs index ba3890f8cc612..599d1c02c7e12 100644 --- a/crates/oxc_ast/src/generated/ast_builder.rs +++ b/crates/oxc_ast/src/generated/ast_builder.rs @@ -9748,15 +9748,17 @@ impl<'a> AstBuilder<'a> { /// ## Parameters /// * `span`: The [`Span`] covering this node /// * `id` + /// * `computed` /// * `initializer` #[inline] pub fn ts_enum_member( self, span: Span, id: TSEnumMemberName<'a>, + computed: bool, initializer: Option>, ) -> TSEnumMember<'a> { - TSEnumMember { span, id, initializer } + TSEnumMember { span, id, computed, initializer } } /// Build a [`TSEnumMemberName::Identifier`]. @@ -9823,6 +9825,24 @@ impl<'a> AstBuilder<'a> { )) } + /// Build a [`TSEnumMemberName::TemplateString`]. + /// + /// This node contains a [`TemplateLiteral`] that will be stored in the memory arena. + /// + /// ## Parameters + /// * `span`: The [`Span`] covering this node + /// * `quasis` + /// * `expressions` + #[inline] + pub fn ts_enum_member_name_template_string( + self, + span: Span, + quasis: Vec<'a, TemplateElement<'a>>, + expressions: Vec<'a, Expression<'a>>, + ) -> TSEnumMemberName<'a> { + TSEnumMemberName::TemplateString(self.alloc_template_literal(span, quasis, expressions)) + } + /// Build a [`TSTypeAnnotation`]. /// /// If you want the built node to be allocated in the memory arena, diff --git a/crates/oxc_ast/src/generated/derive_clone_in.rs b/crates/oxc_ast/src/generated/derive_clone_in.rs index 3572998d3a85c..9b4d730010a74 100644 --- a/crates/oxc_ast/src/generated/derive_clone_in.rs +++ b/crates/oxc_ast/src/generated/derive_clone_in.rs @@ -5746,6 +5746,7 @@ impl<'new_alloc> CloneIn<'new_alloc> for TSEnumMember<'_> { TSEnumMember { span: CloneIn::clone_in(&self.span, allocator), id: CloneIn::clone_in(&self.id, allocator), + computed: CloneIn::clone_in(&self.computed, allocator), initializer: CloneIn::clone_in(&self.initializer, allocator), } } @@ -5754,6 +5755,7 @@ impl<'new_alloc> CloneIn<'new_alloc> for TSEnumMember<'_> { TSEnumMember { span: CloneIn::clone_in_with_semantic_ids(&self.span, allocator), id: CloneIn::clone_in_with_semantic_ids(&self.id, allocator), + computed: CloneIn::clone_in_with_semantic_ids(&self.computed, allocator), initializer: CloneIn::clone_in_with_semantic_ids(&self.initializer, allocator), } } @@ -5766,6 +5768,9 @@ impl<'new_alloc> CloneIn<'new_alloc> for TSEnumMemberName<'_> { match self { Self::Identifier(it) => TSEnumMemberName::Identifier(CloneIn::clone_in(it, allocator)), Self::String(it) => TSEnumMemberName::String(CloneIn::clone_in(it, allocator)), + Self::TemplateString(it) => { + TSEnumMemberName::TemplateString(CloneIn::clone_in(it, allocator)) + } } } @@ -5777,6 +5782,9 @@ impl<'new_alloc> CloneIn<'new_alloc> for TSEnumMemberName<'_> { Self::String(it) => { TSEnumMemberName::String(CloneIn::clone_in_with_semantic_ids(it, allocator)) } + Self::TemplateString(it) => { + TSEnumMemberName::TemplateString(CloneIn::clone_in_with_semantic_ids(it, allocator)) + } } } } diff --git a/crates/oxc_ast/src/generated/derive_content_eq.rs b/crates/oxc_ast/src/generated/derive_content_eq.rs index 5b379461ccbe5..63662331952a6 100644 --- a/crates/oxc_ast/src/generated/derive_content_eq.rs +++ b/crates/oxc_ast/src/generated/derive_content_eq.rs @@ -1745,6 +1745,7 @@ impl ContentEq for TSEnumBody<'_> { impl ContentEq for TSEnumMember<'_> { fn content_eq(&self, other: &Self) -> bool { ContentEq::content_eq(&self.id, &other.id) + && ContentEq::content_eq(&self.computed, &other.computed) && ContentEq::content_eq(&self.initializer, &other.initializer) } } @@ -1754,6 +1755,7 @@ impl ContentEq for TSEnumMemberName<'_> { match (self, other) { (Self::Identifier(a), Self::Identifier(b)) => a.content_eq(b), (Self::String(a), Self::String(b)) => a.content_eq(b), + (Self::TemplateString(a), Self::TemplateString(b)) => a.content_eq(b), _ => false, } } diff --git a/crates/oxc_ast/src/generated/derive_dummy.rs b/crates/oxc_ast/src/generated/derive_dummy.rs index f0f550bded168..f7f384d1c0515 100644 --- a/crates/oxc_ast/src/generated/derive_dummy.rs +++ b/crates/oxc_ast/src/generated/derive_dummy.rs @@ -1922,6 +1922,7 @@ impl<'a> Dummy<'a> for TSEnumMember<'a> { Self { span: Dummy::dummy(allocator), id: Dummy::dummy(allocator), + computed: Dummy::dummy(allocator), initializer: Dummy::dummy(allocator), } } diff --git a/crates/oxc_ast/src/generated/derive_estree.rs b/crates/oxc_ast/src/generated/derive_estree.rs index c06f1ff4aa718..16ce8cefb056b 100644 --- a/crates/oxc_ast/src/generated/derive_estree.rs +++ b/crates/oxc_ast/src/generated/derive_estree.rs @@ -2310,6 +2310,7 @@ impl ESTree for TSEnumMember<'_> { state.serialize_field("start", &self.span.start); state.serialize_field("end", &self.span.end); state.serialize_field("id", &self.id); + state.serialize_field("computed", &self.computed); state.serialize_field("initializer", &self.initializer); state.end(); } @@ -2320,6 +2321,7 @@ impl ESTree for TSEnumMemberName<'_> { match self { Self::Identifier(it) => it.serialize(serializer), Self::String(it) => it.serialize(serializer), + Self::TemplateString(it) => it.serialize(serializer), } } } diff --git a/crates/oxc_ast/src/generated/derive_get_address.rs b/crates/oxc_ast/src/generated/derive_get_address.rs index d0e6ed52c9cee..9382194a4d864 100644 --- a/crates/oxc_ast/src/generated/derive_get_address.rs +++ b/crates/oxc_ast/src/generated/derive_get_address.rs @@ -605,6 +605,7 @@ impl GetAddress for TSEnumMemberName<'_> { match self { Self::Identifier(it) => GetAddress::address(it), Self::String(it) => GetAddress::address(it), + Self::TemplateString(it) => GetAddress::address(it), } } } diff --git a/crates/oxc_ast/src/generated/derive_get_span.rs b/crates/oxc_ast/src/generated/derive_get_span.rs index 9a546961eb8ff..aa84f1b8df7c2 100644 --- a/crates/oxc_ast/src/generated/derive_get_span.rs +++ b/crates/oxc_ast/src/generated/derive_get_span.rs @@ -1507,6 +1507,7 @@ impl GetSpan for TSEnumMemberName<'_> { match self { Self::Identifier(it) => GetSpan::span(&**it), Self::String(it) => GetSpan::span(&**it), + Self::TemplateString(it) => GetSpan::span(&**it), } } } diff --git a/crates/oxc_ast/src/generated/derive_get_span_mut.rs b/crates/oxc_ast/src/generated/derive_get_span_mut.rs index b094322fc5fb8..33929ff7b4057 100644 --- a/crates/oxc_ast/src/generated/derive_get_span_mut.rs +++ b/crates/oxc_ast/src/generated/derive_get_span_mut.rs @@ -1507,6 +1507,7 @@ impl GetSpanMut for TSEnumMemberName<'_> { match self { Self::Identifier(it) => GetSpanMut::span_mut(&mut **it), Self::String(it) => GetSpanMut::span_mut(&mut **it), + Self::TemplateString(it) => GetSpanMut::span_mut(&mut **it), } } } diff --git a/crates/oxc_ast_visit/src/generated/visit.rs b/crates/oxc_ast_visit/src/generated/visit.rs index 5809085545242..03c42828d9e04 100644 --- a/crates/oxc_ast_visit/src/generated/visit.rs +++ b/crates/oxc_ast_visit/src/generated/visit.rs @@ -3211,6 +3211,7 @@ pub mod walk { match it { TSEnumMemberName::Identifier(it) => visitor.visit_identifier_name(it), TSEnumMemberName::String(it) => visitor.visit_string_literal(it), + TSEnumMemberName::TemplateString(it) => visitor.visit_template_literal(it), } } diff --git a/crates/oxc_ast_visit/src/generated/visit_mut.rs b/crates/oxc_ast_visit/src/generated/visit_mut.rs index c625a57f9a2eb..d6721814f3dbb 100644 --- a/crates/oxc_ast_visit/src/generated/visit_mut.rs +++ b/crates/oxc_ast_visit/src/generated/visit_mut.rs @@ -3369,6 +3369,7 @@ pub mod walk_mut { match it { TSEnumMemberName::Identifier(it) => visitor.visit_identifier_name(it), TSEnumMemberName::String(it) => visitor.visit_string_literal(it), + TSEnumMemberName::TemplateString(it) => visitor.visit_template_literal(it), } } diff --git a/crates/oxc_traverse/src/generated/ancestor.rs b/crates/oxc_traverse/src/generated/ancestor.rs index 31f3954619ce7..7be6c58086e32 100644 --- a/crates/oxc_traverse/src/generated/ancestor.rs +++ b/crates/oxc_traverse/src/generated/ancestor.rs @@ -11249,6 +11249,7 @@ impl<'a, 't> GetAddress for TSEnumBodyWithoutMembers<'a, 't> { pub(crate) const OFFSET_TS_ENUM_MEMBER_SPAN: usize = offset_of!(TSEnumMember, span); pub(crate) const OFFSET_TS_ENUM_MEMBER_ID: usize = offset_of!(TSEnumMember, id); +pub(crate) const OFFSET_TS_ENUM_MEMBER_COMPUTED: usize = offset_of!(TSEnumMember, computed); pub(crate) const OFFSET_TS_ENUM_MEMBER_INITIALIZER: usize = offset_of!(TSEnumMember, initializer); #[repr(transparent)] @@ -11264,6 +11265,11 @@ impl<'a, 't> TSEnumMemberWithoutId<'a, 't> { unsafe { &*((self.0 as *const u8).add(OFFSET_TS_ENUM_MEMBER_SPAN) as *const Span) } } + #[inline] + pub fn computed(self) -> &'t bool { + unsafe { &*((self.0 as *const u8).add(OFFSET_TS_ENUM_MEMBER_COMPUTED) as *const bool) } + } + #[inline] pub fn initializer(self) -> &'t Option> { unsafe { @@ -11299,6 +11305,11 @@ impl<'a, 't> TSEnumMemberWithoutInitializer<'a, 't> { &*((self.0 as *const u8).add(OFFSET_TS_ENUM_MEMBER_ID) as *const TSEnumMemberName<'a>) } } + + #[inline] + pub fn computed(self) -> &'t bool { + unsafe { &*((self.0 as *const u8).add(OFFSET_TS_ENUM_MEMBER_COMPUTED) as *const bool) } + } } impl<'a, 't> GetAddress for TSEnumMemberWithoutInitializer<'a, 't> { diff --git a/crates/oxc_traverse/src/generated/walk.rs b/crates/oxc_traverse/src/generated/walk.rs index a819717583656..a45fe3e5d5086 100644 --- a/crates/oxc_traverse/src/generated/walk.rs +++ b/crates/oxc_traverse/src/generated/walk.rs @@ -3805,6 +3805,9 @@ unsafe fn walk_ts_enum_member_name<'a, Tr: Traverse<'a>>( TSEnumMemberName::String(node) => { walk_string_literal(traverser, (&mut **node) as *mut _, ctx) } + TSEnumMemberName::TemplateString(node) => { + walk_template_literal(traverser, (&mut **node) as *mut _, ctx) + } } traverser.exit_ts_enum_member_name(&mut *node, ctx); } diff --git a/napi/parser/deserialize-js.js b/napi/parser/deserialize-js.js index ecb1838e8b4b6..5bd63a43e1ad4 100644 --- a/napi/parser/deserialize-js.js +++ b/napi/parser/deserialize-js.js @@ -1316,7 +1316,8 @@ function deserializeTSEnumMember(pos) { start: deserializeU32(pos), end: deserializeU32(pos + 4), id: deserializeTSEnumMemberName(pos + 8), - initializer: deserializeOptionExpression(pos + 24), + computed: deserializeBool(pos + 24), + initializer: deserializeOptionExpression(pos + 32), }; } @@ -3560,6 +3561,8 @@ function deserializeTSEnumMemberName(pos) { return deserializeBoxIdentifierName(pos + 8); case 1: return deserializeBoxStringLiteral(pos + 8); + case 2: + return deserializeBoxTemplateLiteral(pos + 8); default: throw new Error(`Unexpected discriminant ${uint8[pos]} for TSEnumMemberName`); } @@ -5234,7 +5237,7 @@ function deserializeVecTSEnumMember(pos) { pos = uint32[pos32]; for (let i = 0; i < len; i++) { arr.push(deserializeTSEnumMember(pos)); - pos += 40; + pos += 48; } return arr; } diff --git a/napi/parser/deserialize-ts.js b/napi/parser/deserialize-ts.js index 9b0a1a5e39b73..bd028214f9d2a 100644 --- a/napi/parser/deserialize-ts.js +++ b/napi/parser/deserialize-ts.js @@ -1392,7 +1392,8 @@ function deserializeTSEnumMember(pos) { start: deserializeU32(pos), end: deserializeU32(pos + 4), id: deserializeTSEnumMemberName(pos + 8), - initializer: deserializeOptionExpression(pos + 24), + computed: deserializeBool(pos + 24), + initializer: deserializeOptionExpression(pos + 32), }; } @@ -3636,6 +3637,8 @@ function deserializeTSEnumMemberName(pos) { return deserializeBoxIdentifierName(pos + 8); case 1: return deserializeBoxStringLiteral(pos + 8); + case 2: + return deserializeBoxTemplateLiteral(pos + 8); default: throw new Error(`Unexpected discriminant ${uint8[pos]} for TSEnumMemberName`); } @@ -5310,7 +5313,7 @@ function deserializeVecTSEnumMember(pos) { pos = uint32[pos32]; for (let i = 0; i < len; i++) { arr.push(deserializeTSEnumMember(pos)); - pos += 40; + pos += 48; } return arr; } diff --git a/npm/oxc-types/types.d.ts b/npm/oxc-types/types.d.ts index 22253051d6e3a..eb5ddcd378d87 100644 --- a/npm/oxc-types/types.d.ts +++ b/npm/oxc-types/types.d.ts @@ -952,10 +952,11 @@ export interface TSEnumBody extends Span { export interface TSEnumMember extends Span { type: 'TSEnumMember'; id: TSEnumMemberName; + computed: boolean; initializer: Expression | null; } -export type TSEnumMemberName = IdentifierName | StringLiteral; +export type TSEnumMemberName = IdentifierName | StringLiteral | TemplateLiteral; export interface TSTypeAnnotation extends Span { type: 'TSTypeAnnotation'; diff --git a/tasks/coverage/snapshots/estree_typescript.snap b/tasks/coverage/snapshots/estree_typescript.snap index fcfa2c754fc12..3a43e4b799f08 100644 --- a/tasks/coverage/snapshots/estree_typescript.snap +++ b/tasks/coverage/snapshots/estree_typescript.snap @@ -1,14 +1,40 @@ commit: 15392346 estree_typescript Summary: -AST Parsed : 10618/10725 (99.00%) -Positive Passed: 8072/10725 (75.26%) +AST Parsed : 10623/10725 (99.05%) +Positive Passed: 4547/10725 (42.40%) +Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_Watch.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_WatchWithDefaults.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_WatchWithOwnWatchHost.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_compile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_jsdoc.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_linter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_parseConfig.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_transform.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_watcher.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/ClassDeclarationWithInvalidConstOnPropertyDeclaration.ts A class member cannot have the 'const' keyword. +Mismatch: tasks/coverage/typescript/tests/cases/compiler/DeclarationErrorsNoEmitOnError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/ExportAssignment7.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/ExportAssignment8.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/SystemModuleForStatementNoInitializer.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/abstractPropertyInConstructor.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/accessOverriddenBaseClassMember1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/accessorAccidentalCallDiagnostic.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/accessorBodyInTypeContext.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/compiler/accessorDeclarationEmitVisibilityErrors.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/accessorInferredReturnTypeErrorInReturnStatement.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/accessorWithRestParam.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasOfGenericFunctionWithRestBehavedSameAsUnaliased.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasOnMergedModuleInterface.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasUsageInGenericFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasUsageInObjectLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasUsageInOrExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasUsedAsNameValue.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasesInSystemModule1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasesInSystemModule2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/allowImportClausesToMergeWithTypes.ts tasks/coverage/typescript/tests/cases/compiler/allowJsCrossMonorepoPackage.ts Unexpected estree file content error: 2 != 4 @@ -29,108 +55,288 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientEnumElementIniti Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientEnumElementInitializer4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientEnumElementInitializer5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientEnumElementInitializer6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientExportDefaultErrors.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientExternalModuleInAnotherExternalModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientExternalModuleWithInternalImportDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientExternalModuleWithoutInternalImportDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientModuleWithTemplateLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientModules.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientNameRestrictions.ts tasks/coverage/typescript/tests/cases/compiler/ambientRequireFunction.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientStatement1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/ambientWithStatements.ts A 'return' statement can only be used within a function body. +Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdDeclarationEmitNoExtraDeclare.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdDependencyComment1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdDependencyComment2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdDependencyCommentName1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdDependencyCommentName2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdDependencyCommentName3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdDependencyCommentName4.ts tasks/coverage/typescript/tests/cases/compiler/amdLikeInputDeclarationEmit.ts Unexpected estree file content error: 2 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdModuleBundleNoDuplicateDeclarationEmitComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdModuleConstEnumUsage.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdModuleName1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/anonClassDeclarationEmitIsAnon.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/anonymousClassDeclarationDoesntPrintWithReadonly.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/anonymousClassExpression2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/anyAndUnknownHaveFalsyComponents.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/anyMappedTypesError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/argumentsAsPropertyName.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/argumentsAsPropertyName2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/argumentsSpreadRestIterables.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/argumentsUsedInClassFieldInitializerOrStaticInitializationBlock.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/argumentsUsedInObjectLiteralProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arityErrorRelatedSpanBindingPattern.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayAssignmentTest1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayAssignmentTest2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayAssignmentTest3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayAssignmentTest4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayBestCommonTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayBindingPatternOmittedExpressions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayCast.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayConcat3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayConcatMap.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayDestructuringInSwitch1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayDestructuringInSwitch2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayFilter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayFind.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayFrom.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/arrayFromAsync.ts `await` is only allowed within async functions and at the top levels of modules +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayLiteralComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayLiteralInNonVarArgParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayLiteralTypeInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayOfExportedClass.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/arraySigChecking.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayToLocaleStringES2015.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayToLocaleStringES2020.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayToLocaleStringES5.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/arrowFunctionErrorSpan.ts Line terminator not permitted before arrow +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrowFunctionParsingDoesNotConfuseParenthesizedObjectForArrowHead.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrowFunctionParsingGenericInObject.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrowFunctionWithObjectLiteralBody5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrowFunctionWithObjectLiteralBody6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asiAmbientFunctionDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asiBreak.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asiContinue.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/asiInES6Classes.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/asiReturn.ts A 'return' statement can only be used within a function body. Mismatch: tasks/coverage/typescript/tests/cases/compiler/assertionFunctionWildcardImport1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assertionFunctionsCanNarrowByDiscriminant.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assign1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignToEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignToExistingClass.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignToFn.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/assignToInvalidLHS.ts Cannot assign to this expression +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompat1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatBug2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatBug3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatBug5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatForEnums.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatFunctionsWithOptionalArgs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability10.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability11.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability12.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability13.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability14.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability15.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability16.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability17.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability18.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability19.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability20.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability21.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability22.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability23.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability24.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability25.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability26.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability27.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability28.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability29.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability30.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability31.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability32.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability33.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability34.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability35.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability36.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability37.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability38.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability39.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability40.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability41.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability42.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability43.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability46.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability8.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability9.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability_checking-apply-member-off-of-function-interface.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability_checking-call-member-off-of-function-interface.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentIndexedToPrimitives.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentNestedInLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentNonObjectTypeConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentRestElementWithErrorSourceType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentToAnyArrayRestParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentToExpandingArrayType.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/assignmentToInstantiationExpression.ts The left-hand side of an assignment expression must be a variable or a property access. +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentToObject.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentToObjectAndFunction.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/assignmentToParenthesizedExpression1.ts Cannot assign to this expression +Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentToReferenceTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncArrowInClassES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncFunctionReturnExpressionErrorSpans.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncFunctionReturnType.2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncFunctionTempVariableScoping.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncFunctionsAcrossFiles.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncFunctionsAndStrictNullChecks.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncIteratorExtraParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncYieldStarContextualType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentExportEquals1_1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentExportEquals2_1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentExportEquals3_1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentExportEquals4_1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentExportEquals5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentExportEquals6_1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesClass.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesClass2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesClass2a.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesClass3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesClass4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesEnum2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesEnum3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesExternalModule1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesInterface.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesModules.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesModules2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesModules3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesModules4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesVar.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/autoAsiForStaticsInClassDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/autoTypeAssignedUsingDestructuringFromNeverNoCrash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/autolift3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/autolift4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/autonumberingInEnums.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/avoidCycleWithVoidExpressionReturnedFromArrow.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/avoidListingPropertiesForTypesWithOnlyCallOrConstructSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/avoidNarrowingUsingConstVariableFromBindingElementWithLiteralInitializer.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/awaitInClassInAsyncFunction.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/awaitInNonAsyncFunction.ts `await` is only allowed within async functions and at the top levels of modules Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/awaitLiteralValues.ts `await` is only allowed within async functions and at the top levels of modules +Mismatch: tasks/coverage/typescript/tests/cases/compiler/awaitUnionPromise.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/awaitedType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/awaitedTypeCrash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/awaitedTypeJQuery.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/awaitedTypeStrictNull.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/badExternalModuleReference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/badInferenceLowerPriorityThanGoodInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/bangInModuleName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/baseCheck.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/baseConstraintOfDecorator.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/baseExpressionTypeParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/baseTypeAfterDerivedType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/bestChoiceType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/bestCommonTypeWithContextualTyping.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bigintWithLib.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bigintWithoutLib.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/binaryArithmeticControlFlowGraphNotTooLarge.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bind2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bindingPatternCannotBeOnlyInferenceSource.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/bindingPatternContextualTypeDoesNotCauseWidening.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/bindingPatternOmittedExpressionNesting.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedBindingCaptureThisInFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedBindingUsedBeforeDef.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedBindingsReassignedInLoop2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedBindingsReassignedInLoop3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedBindingsReassignedInLoop6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedEnumVariablesUseBeforeDef.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedEnumVariablesUseBeforeDef_isolatedModules.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedEnumVariablesUseBeforeDef_preserve.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedEnumVariablesUseBeforeDef_verbatimModuleSyntax.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedFunctionDeclarationInStrictModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedNamespaceDifferentFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedVariablesUseBeforeDef.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bluebirdStaticThis.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bom-utf8.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/booleanFilterAnyArray.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/booleanLiteralsContextuallyTypedFromUnion.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/builtinIterator.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/cachedContextualTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cachedModuleResolution1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cachedModuleResolution2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cachedModuleResolution3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cachedModuleResolution4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cachedModuleResolution5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/callOfConditionalTypeWithConcreteBranches.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/callsOnComplexSignatures.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/cannotIndexGenericWritingError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/captureThisInSuperCall.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop12.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop13.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop1_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop2_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop3_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop4_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop6_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop7.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop7_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop8.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop8_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop9.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop9_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedParametersInInitializers1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedShorthandPropertyAssignmentNoCheck.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/castExpressionParentheses.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/castParentheses.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/castTest.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/cf.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/chainedAssignment1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/chainedAssignmentChecking.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/chainedCallsWithTypeParameterConstrainedToOtherTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/chainedCallsWithTypeParameterConstrainedToOtherTypeParameter2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkDestructuringShorthandAssigment2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkInfiniteExpansionTermination.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkInfiniteExpansionTermination2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkInterfaceBases.ts tasks/coverage/typescript/tests/cases/compiler/checkJsTypeDefNoUnusedLocalMarked.ts Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/compiler/checkJsdocTypeTagOnExportAssignment2.ts Unexpected estree file content error: 1 != 4 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccessing1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccessing2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccessing3.ts @@ -139,41 +345,93 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThi Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccessing6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccessing7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccessing8.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkerInitializationCrash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkingObjectWithThisInNamePositionNoCrash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularBaseConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularBaseTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularConstrainedMappedTypeNoCrash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularConstraintYieldsAppropriateError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularConstructorWithReturn.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularContextualMappedType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularContextualReturnType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularGetAccessor.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularInferredTypeOfVariable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularInlineMappedGenericTupleTypeNoCrash.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularMappedTypeConstraint.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularObjectLiteralAccessors.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularOptionalityRemoval.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularReferenceInReturnType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularReferenceInReturnType2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularResolvedSignature.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularTypeArgumentsLocalAndOuterNoCrash1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularTypeofWithFunctionModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularlyConstrainedMappedTypeContainingConditionalNoInfiniteInstantiationDepth.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularlySimplifyingConditionalTypesNoCrash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classAccessorInitializationInferenceWithElementAccess1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classAttributeInferenceTemplate.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classDeclaredBeforeClassFactory.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExpressionNames.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/classExpressionPropertyModifiers.ts Expected a semicolon or an implicit semicolon after a statement, but found none +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExpressionTest1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExpressionTest2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExpressionWithResolutionOfNamespaceOfSameName01.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExpressionWithStaticProperties2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExpressionWithStaticPropertiesES62.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExtendingAbstractClassWithMemberCalledTheSameAsItsOwnTypeParam.ts tasks/coverage/typescript/tests/cases/compiler/classExtendingAny.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExtendsAcrossFiles.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExtendsNull.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExtendsNull2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classFieldSuperAccessible.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classFunctionMerging.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/classHeritageWithTrailingSeparator.ts Expected `{` but found `EOF` +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classImplementsMethodWIthTupleArgs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classImplementsPrimitive.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classMemberInitializerWithLamdaScoping.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classMemberInitializerWithLamdaScoping2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classMemberInitializerWithLamdaScoping3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classMemberInitializerWithLamdaScoping4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classMemberInitializerWithLamdaScoping5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classMergedWithInterfaceMultipleBasesNoError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classNameReferencesInStaticElements.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classNonUniqueSymbolMethodHasSymbolIndexer.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classPropInitializationInferenceWithElementAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classReferencedInContextualParameterWithinItsOwnBaseExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classSideInheritance3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classStaticInitializersUsePropertiesBeforeDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classStaticPropertyTypeGuard.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classTypeParametersInStatics.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classUsedBeforeInitializedVariables.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classVarianceCircularity.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classVarianceResolveCircularity1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/classVarianceResolveCircularity2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classdecl.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/clinterfaces.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/cloduleGenericOnSelfMember.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/cloduleTest1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cloduleWithPriorInstantiatedModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cloduleWithPriorUninstantiatedModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/clodulesDerivedClasses.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences7.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences8.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collectionPatternNoError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsArrowFunctions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsClassConstructor.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsClassMethod.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsFunctionExpressions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsInType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsInterfaceMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionCodeGenEnumWithEnumMemberConflict.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionCodeGenModuleWithConstructorChildren.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionCodeGenModuleWithEnumMemberConflict.ts @@ -184,13 +442,43 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequire Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndAmbientModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndAmbientVar.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndInternalModuleAlias.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndUninstantiatedModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterArrowFunctions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterClassConstructor.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterClassMethod.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterFunctionExpressions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterInType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterInterfaceMembers.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterUnderscoreIUsage.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionSuperAndLocalFunctionInProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionSuperAndLocalVarInProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionSuperAndParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionSuperAndPropertyNameAsConstuctorParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndEnumInGlobal.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndLocalVarInAccessors.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndLocalVarInConstructor.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndLocalVarInLambda.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndLocalVarInMethod.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndLocalVarInProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndPropertyNameAsConstuctorParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commaOperatorInConditionalExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commaOperatorLeftSideUnused.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentEmitAtEndOfFile1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentEmitOnParenthesizedAssertionInReturnStatement.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentEmitOnParenthesizedAssertionInReturnStatement2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentInMethodCall.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentInNamespaceDeclarationWithIdentifierPathName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentLeadingCloseBrace.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnAmbientClass1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnAmbientEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnAmbientModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnAmbientVariable1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnAmbientVariable2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnAmbientfunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnArrayElement1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnArrayElement10.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnArrayElement11.ts @@ -207,51 +495,117 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnArrayElement6. Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnArrayElement7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnArrayElement8.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnArrayElement9.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnBlock1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnElidedModule1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnExportEnumDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnIfStatement1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnImportStatement1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnImportStatement2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnImportStatement3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnInterface1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnParameter1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnParameter2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnParameter3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnSignature1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentWithUnreasonableIndentationLevel01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAfterCaseClauses1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAfterCaseClauses2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAfterCaseClauses3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAfterFunctionExpression1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAfterSpread.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsArgumentsOfCallExpression1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsArgumentsOfCallExpression2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAtEndOfFile1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsBeforeFunctionExpression1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsBeforeVariableStatement1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsClass.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsClassMembers.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsCommentParsing.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsDottedModuleName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsEnums.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsExternalModules.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsExternalModules2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsExternalModules3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsInheritance.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsInterface.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsModules.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsMultiModuleMultiFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsMultiModuleSingleFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnJSXExpressionsArePreserved.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnObjectLiteral2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnObjectLiteral3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnObjectLiteral4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnObjectLiteral5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnPropertyOfObjectLiteral1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnRequireStatement.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOverloads.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsPropertySignature1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsVarDecl.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsVariableStatement1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsdoNotEmitComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsemitComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commonSourceDirectory.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/commonSourceDirectory_dts.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/comparabilityTypeParametersRelatedByUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/comparableRelationBidirectional.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/compareTypeParameterConstrainedByLiteralToLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/comparisonOfPartialDeepAndIndexedAccessTerminatesWithoutError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/complexClassRelationships.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/complexNarrowingWithAny.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/complexRecursiveCollections.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/complicatedIndexedAccessKeyofReliesOnKeyofNeverUpperBound.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/complicatedIndexesOfIntersectionsAreInferencable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/complicatedPrivacy.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/compositeContextualSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/compositeGenericFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedEnumMemberSyntacticallyString.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedEnumMemberSyntacticallyString2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedEnumTypeWidening.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesInDestructuring1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesInDestructuring1_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesInDestructuring2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesInDestructuring2_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesNarrowed.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesWithSetterAssignment.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertyNameWithImportedKey.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedTypesKeyofNoIndexSignatureType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/computerPropertiesInES5ShouldBeTransformed.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/concatClassAndString.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalEqualityOnLiteralObjects.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalEqualityTestingNullability.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalExpressions2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeAnyUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeAssignabilityWhenDeferred.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeBasedContextualTypeReturnTypeWidening.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeContextualTypeSimplificationsSuceeds.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeDiscriminatingLargeUnionRegularTypeFetchingSpeedReasonable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeDoesntSpinForever.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeGenericInSignatureTypeParameterConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeRelaxingConstraintAssignability.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeSimplification.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeVarianceBigArrayConstraintsPerformance.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypesASI.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/conflictingDeclarationsImportFromNamespace1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/conflictingDeclarationsImportFromNamespace2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/conflictingTypeParameterSymbolTransfer.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/consistentAliasVsNonAliasRecordBehavior.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarationShadowedByVarDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarationShadowedByVarDeclaration2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarationShadowedByVarDeclaration3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarations-access5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarations-ambient.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/constDeclarations-errors.ts Missing initializer in const declaration Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/constDeclarations-invalidContexts.ts Lexical declaration cannot appear in a single-statement context Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/constDeclarations-scopes.ts Lexical declaration cannot appear in a single-statement context +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarations-scopes2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/constDeclarations-validContexts.ts Lexical declaration cannot appear in a single-statement context +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarations.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarations2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumBadPropertyNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumErrors.ts @@ -276,85 +630,286 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnums.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/constInClassExpression.ts A class member cannot have the 'const' keyword. Mismatch: tasks/coverage/typescript/tests/cases/compiler/constIndexedAccess.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constWithNonNull.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constantEnumAssert.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constraintCheckInGenericBaseTypeReference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constraintOfRecursivelyMappedTypeWithConditionalIsResolvable.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constraintReferencingTypeParameterFromSameTypeParameterList.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constraintWithIndexedAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorArgs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorAsType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorOverloads4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorOverloads5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorOverloads9.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorParametersInVariableDeclarations.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorReturningAPrimitive.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorStaticParamName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorWithParameterPropertiesAndPrivateFields.es2015.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorWithSuperAndPrologue.es5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorsWithSpecializedSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextSensitiveReturnTypeInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualComputedNonBindablePropertyType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualExpressionTypecheckingDoesntBlowStack.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualOuterTypeParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualOverloadListFromArrayUnion.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualOverloadListFromUnionWithPrimitiveNoImplicitAny.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualPropertyOfGenericFilteringMappedType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualPropertyOfGenericMappedType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualReturnTypeOfIIFE.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualReturnTypeOfIIFE2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualReturnTypeOfIIFE3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSigInstantiationRestParams.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureConditionalTypeInstantiationUsingDefault.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureInArrayElementLibEs2015.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureInArrayElementLibEs5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureInObjectFreeze.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureInstantiation2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureInstantiation4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignature_objectLiteralMethodMayReturnNever.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTupleTypeParameterReadonly.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeAny.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeAppliedToVarArgs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeArrayReturnType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeBasedOnIntersectionWithAnyInTheMix1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeBasedOnIntersectionWithAnyInTheMix2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeBasedOnIntersectionWithAnyInTheMix3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeBasedOnIntersectionWithAnyInTheMix4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeBasedOnIntersectionWithAnyInTheMix5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeCaching.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeForInitalizedVariablesFiltersUndefined.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeFunctionObjectPropertyIntersection.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeIterableUnions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeLogicalOr.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeObjectSpreadExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeOfIndexedAccessParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeSelfReferencing.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeShouldBeLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypesNegatedTypeLikeConstraintInGenericMappedType1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypesNegatedTypeLikeConstraintInGenericMappedType2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypesNegatedTypeLikeConstraintInGenericMappedType3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping10.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping12.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping16.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping17.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping18.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping19.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping20.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping21.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping34.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping35.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping36.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping37.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping9.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingArrayDestructuringWithDefaults.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingFunctionReturningFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingOfAccessors.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingOfObjectLiterals.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingOfObjectLiterals2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingOfOptionalMembers.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingOfTooShortOverloads.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingWithGenericAndNonGenericSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingWithGenericSignature.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypeAsyncFunctionReturnTypeFromUnion.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypeGeneratorReturnTypeFromUnion.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedBooleanLiterals.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedByDiscriminableUnion.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedGenericAssignment.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedJsxAttribute2.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedJsxChildren.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedOptionalProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedParametersWithInitializers1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedParametersWithInitializers2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedParametersWithInitializers3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedParametersWithInitializers4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedParametersWithQuestionToken.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedSymbolNamedProperties.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypingOrOperator.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypingOrOperator2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypingRestParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueLabel.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueNotInIterationStatement4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueStatementInternalComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueTarget1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueTarget2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueTarget3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueTarget4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueTarget5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueTarget6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contravariantInferenceAndTypeGuard.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contravariantOnlyInferenceFromAnnotatedFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/contravariantOnlyInferenceWithAnnotatedOptionalParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowAliasedDiscriminants.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowArrays.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowAutoAccessor1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowBreakContinueWithLabel.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowCaching.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowDestructuringLoop.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowDestructuringParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowDestructuringVariablesInTryCatch.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowFavorAssertedTypeThroughTypePredicate.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowForIndexSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowForStatementContinueIntoIncrementor1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowInitializedDestructuringVariables.ts tasks/coverage/typescript/tests/cases/compiler/controlFlowInstanceof.ts Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowInstanceofWithSymbolHasInstance.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowLoopAnalysis.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowManyConsecutiveConditionsNoTimeout.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowNullTypeAndLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowOuterVariable.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowPropertyDeclarations.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowPropertyInitializer.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowSelfReferentialLoop.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowUnionContainingTypeParameter1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowWithIncompleteTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/convertClassExpressionToFunctionFromObjectProperty2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/convertKeywordsYes.ts Classes can't have a field named 'constructor' +Mismatch: tasks/coverage/typescript/tests/cases/compiler/copyrightWithNewLine1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/copyrightWithoutNewLine1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/correlatedUnions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/covariance1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/crashInEmitTokenWithComment.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/crashInGetTextOfComputedPropertyName.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/crashInResolveInterface.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/crashInYieldStarInAsyncFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/crashIntypeCheckInvocationExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/crashIntypeCheckObjectCreationExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/crashRegressionTest.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/curiousNestedConditionalEvaluationResult.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/customAsyncIterator.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/customEventDetail.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileAccessors.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileAmbientExternalModuleWithSingleExportedModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileCallSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileClassWithStaticMethodReturningConstructor.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileConstructSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileConstructors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileEmitDeclarationOnly.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileEnumUsedAsValue.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileEnums.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileExportAssignmentImportInternalModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileForExportedImport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileForInterfaceWithRestParams.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileFunctions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileGenericType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileGenericType2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileImportChainInExportAssignment.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileImportModuleWithExportAssignment.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileMethods.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileModuleAssignmentInObjectLiteralProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileModuleContinuation.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileObjectLiteralWithAccessors.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileObjectLiteralWithOnlyGetter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileObjectLiteralWithOnlySetter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileRegressionTests.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileRestParametersOfFunctionAndFunctionType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileTypeAnnotationBuiltInType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileTypeAnnotationTypeLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileTypeAnnotationVisibilityErrorTypeLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileTypeofEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileTypeofInAnonymousType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithClassNameConflictingWithClassReferredByExtendsClause.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithErrorsInInputDeclarationFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithErrorsInInputDeclarationFileWithOut.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithExtendsClauseThatHasItsContainerNameConflict.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithInternalModuleNameConflictsInExtendsClause1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithInternalModuleNameConflictsInExtendsClause2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithInternalModuleNameConflictsInExtendsClause3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declInput.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declInput3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationAssertionNodeNotReusedWhenTypeNotEquivalent1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitAliasFromIndirectFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitAmdModuleDefault.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitAmdModuleNameDirective.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitAnyComputedPropertyInClass.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitArrowFunctionNoRenaming.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitBindingPatternWithReservedWord.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitBindingPatterns.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitBindingPatternsFunctionExpr.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitBindingPatternsUnused.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitBundlePreservesHasNoDefaultLibDirective.ts tasks/coverage/typescript/tests/cases/compiler/declarationEmitBundlerConditions.ts Unexpected estree file content error: 3 != 4 Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCastReusesTypeNode1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCastReusesTypeNode2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCastReusesTypeNode3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCastReusesTypeNode5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassInherritsAny.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassMemberNameConflict.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassMemberNameConflict2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassMemberWithComputedPropertyName.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassMixinLocalClassDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassPrivateConstructor.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassPrivateConstructor2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCommonSourceDirectoryDoesNotContainAllFiles.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedNameCausesImportToBePainted.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedNameConstEnumAlias.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedNameWithQuestionToken.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedNamesInaccessible.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedPropertyName1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedPropertyNameEnum1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedPropertyNameEnum3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitConstantNoWidening.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCrossFileCopiedGeneratedImportType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCrossFileImportTypeOfAmbientModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport7.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport8.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExportWithStaticAssignment.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExportWithTempVarName.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExportWithTempVarNameWithBundling.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuring1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuring2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuring3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuring4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuring5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuringArrayPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuringArrayPattern4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuringObjectLiteralPattern.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuringObjectLiteralPattern1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuringObjectLiteralPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuringOptionalBindingParametersInOverloads.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuringParameterProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuringWithOptionalBindingParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDetachedComment1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDetachedComment2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDistributiveConditionalWithInfer.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDuplicateParameterDestructuring.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitEnumReadonlyProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitEnumReferenceViaImportEquals.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExactOptionalPropertyTypesNodeNotReused.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExpandoWithGenericConstraint.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExportAliasVisibiilityMarking.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExportAssignedNamespaceNoTripleSlashTypesReference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExpressionInExtends3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExpressionInExtends6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExpressionInExtends7.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitFBoundedTypeParams.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitForDefaultExportClassExtendingExpression01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitForGlobalishSpecifierSymlink.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitForGlobalishSpecifierSymlink2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitGlobalThisPreserved.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitHasTypesRefOnNamespaceUse.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitHigherOrderRetainedGenerics.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitImportInExportAssignmentModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitIndexTypeArray.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitIndexTypeNotFound.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredDefaultExportType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredDefaultExportType2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredTypeAlias1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredTypeAlias2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredTypeAlias3.ts @@ -362,46 +917,88 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferred Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredTypeAlias5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredTypeAlias6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredTypeAlias7.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredTypeAlias9.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredUndefinedPropFromFunctionInArray.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInlinedDistributiveConditional.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInvalidReference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInvalidReference2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInvalidReferenceAllowJs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitIsolatedDeclarationErrorNotEmittedForNonEmittedFile.ts tasks/coverage/typescript/tests/cases/compiler/declarationEmitJsReExportDefault.ts Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitKeywordDestructuring.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitLambdaWithMissingTypeParameterNoCrash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitLateBoundAssignments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitLateBoundAssignments2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitLocalClassDeclarationMixin.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitLocalClassHasRequiredDeclare.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMappedPrivateTypeTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMappedTypeDistributivityPreservesConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMappedTypePropertyFromNumericStringKey.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMappedTypeTemplateTypeofSymbol.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMergedAliasWithConst.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMixinPrivateProtected.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitModuleWithScopeMarker.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMonorepoBaseUrl.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMultipleComputedNamesSameDomain.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNameConflicts.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNameConflicts2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNameConflicts3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNameConflictsWithAlias.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNamespaceMergedWithInterfaceNestedFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNestedAnonymousMappedType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNoInvalidCommentReuse1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNoInvalidCommentReuse2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNoInvalidCommentReuse3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNoNonRequiredParens.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNonExportedBindingPattern.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitObjectAssignedDefaultExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitObjectLiteralAccessors1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOfFuncspace.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOfTypeofAliasedExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOptionalMappedTypePropertyNoStrictNullChecks1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOptionalMappedTypePropertyNoStrictNullChecks2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOptionalMappedTypePropertyNoStrictNullChecks3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOptionalMappedTypePropertyNoStrictNullChecks4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOptionalMethod.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOverloadedPrivateInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitParameterProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPathMappingMonorepo2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPrefersPathKindBasedOnBundling.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPrefersPathKindBasedOnBundling2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPreserveReferencedImports.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPreservesHasNoDefaultLibDirective.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPrivateAsync.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPrivateNameCausesError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPrivatePromiseLikeInterface.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPrivateSymbolCausesVarDeclarationToBeEmitted.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPromise.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPropertyNumericStringKey.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitProtectedMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitQualifiedAliasTypeArgument.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitReadonlyComputedProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitRecursiveConditionalAliasPreserved.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitReexportedSymlinkReference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitReexportedSymlinkReference2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitReexportedSymlinkReference3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitResolveTypesIfNotReusable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitRetainedAnnotationRetainsImportInOutput.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitRetainsJsdocyComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitScopeConsistency3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitShadowingInferNotRenamed.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitSimpleComputedNames1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitSpreadStringlyKeyedEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitStringEnumUsedInNonlocalSpread.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitSymlinkPaths.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitToDeclarationDirWithCompositeOption.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitToDeclarationDirWithDeclarationOption.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitToDeclarationDirWithoutCompositeAndDeclarationOptions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTopLevelNodeFromCrossFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTopLevelNodeFromCrossFile2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTransitiveImportOfHtmlDeclarationItem.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTripleSlashReferenceAmbientModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTupleRestSignatureLeadingVariadic.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeAliasTypeParameterExtendingUnknownSymbol.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeAliasWithTypeParameters1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeAliasWithTypeParameters2.ts @@ -409,29 +1006,94 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeAlia Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeAliasWithTypeParameters4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeAliasWithTypeParameters5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeAliasWithTypeParameters6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeParamMergedWithPrivate.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeParameterNameReusedInOverloads.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeParameterNameShadowedInternally.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeofDefaultExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeofRest.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeofThisInClass.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitUnknownImport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitUnnessesaryTypeReferenceNotAdded.ts tasks/coverage/typescript/tests/cases/compiler/declarationEmitUsingAlternativeContainingModules1.ts Unexpected estree file content error: 2 != 3 tasks/coverage/typescript/tests/cases/compiler/declarationEmitUsingAlternativeContainingModules2.ts Unexpected estree file content error: 2 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitUsingTypeAlias1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitUsingTypeAlias2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitVarInElidedBlock.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitWithComposite.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitWithDefaultAsComputedName.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitWithDefaultAsComputedName2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitWithInvalidPackageJsonTypings.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationFileNoCrashOnExtraExportModifier.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationFilesGeneratingTypeReferences.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationFilesWithTypeReferences3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationFilesWithTypeReferences4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationFunctionTypeNonlocalShouldNotBeAnError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationImportTypeAliasInferredAndEmittable.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationMaps.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationMapsMultifile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationMapsOutFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationMapsOutFile2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationMapsWithSourceMap.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationMapsWithoutDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationNoDanglingGenerics.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationQuotedMembers.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationTypecheckNoUseBeforeReferenceCheck.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationsForFileShadowingGlobalNoError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationsForIndirectTypeAliasReference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationsForInferredTypeFromOtherFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationsIndirectGeneratedAliasReference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationsWithRecursiveInternalTypesProduceUniqueTypeParams.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/declareAlreadySeen.ts declare' modifier already seen. Mismatch: tasks/coverage/typescript/tests/cases/compiler/declareDottedExtend.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declareDottedModuleName.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declareFileExportAssignment.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/declareFileExportAssignmentWithVarFromVariableStatement.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declareModifierOnTypeAlias.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataElidedImport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataElidedImportOnDeclare.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataGenericTypeVariable.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataGenericTypeVariableDefault.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataGenericTypeVariableInScope.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataNoLibIsolatedModulesTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataOnInferredType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataRestParameterWithImportedType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataWithConstructorType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataWithImportDeclarationNameCollision5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataWithImportDeclarationNameCollision6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataWithImportDeclarationNameCollision7.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorReferenceOnOtherProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorReferences.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/deduplicateImportsInSystem.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deepComparisons.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/deepElaborationsIntoArrowExpressions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/deepExcessPropertyCheckingWhenTargetIsIntersection.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/deepKeysIndexing.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/deeplyNestedAssignabilityErrorsCombined.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/deeplyNestedAssignabilityIssue.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/deeplyNestedCheck.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deeplyNestedConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deeplyNestedMappedTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/deeplyNestedTemplateLiteralIntersection.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultDeclarationEmitDefaultImport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultDeclarationEmitNamedCorrectly.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultDeclarationEmitShadowedNamedCorrectly.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultIndexProps1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultIndexProps2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultIsNotVisibleInLocalScope.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultNamedExportWithType1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultNamedExportWithType2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultNamedExportWithType3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultNamedExportWithType4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultOfAnyInStrictNullChecks.ts tasks/coverage/typescript/tests/cases/compiler/defaultPropsEmptyCurlyBecomesAnyForJs.ts Unexpected estree file content error: 2 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultValueInFunctionTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deferredConditionalTypes.ts tasks/coverage/typescript/tests/cases/compiler/deferredConditionalTypes2.ts serde_json::from_str(oxc_json) error: number out of range at line 28 column 25 @@ -441,20 +1103,68 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/deferredLookupTypeResol Mismatch: tasks/coverage/typescript/tests/cases/compiler/definiteAssignmentOfDestructuredVariable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deleteExpressionMustBeOptional.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deleteExpressionMustBeOptional_exactOptionalPropertyTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/deleteReadonly.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/derivedClassConstructorWithExplicitReturns01.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/derivedTypeCallingBaseImplWithOptionalParams.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructureCatchClause.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructureComputedProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructureOfVariableSameAsShorthand.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructureOptionalParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructureTupleWithVariableElement.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuredDeclarationEmit.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuredLateBoundNameHasCorrectTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuredMaappedTypeIsNotImplicitlyAny.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringAssignmentWithDefault.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringAssignmentWithDefault2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringAssignmentWithExportedName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringAssignmentWithStrictNullChecks.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringAssignment_private.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringFromUnionSpread.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInVariableDeclarations1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInVariableDeclarations2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInVariableDeclarations3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInVariableDeclarations4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInVariableDeclarations5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInVariableDeclarations6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInVariableDeclarations7.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInVariableDeclarations8.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInitializerContextualTypeFromContext.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringPropertyAssignmentNameIsNotAssignmentTarget.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringTempOccursAfterPrologue.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringTuple.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringTypeGuardFlow.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringUnspreadableIntoRest.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringWithConstraint.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringWithGenericParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringWithNewExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringWithNumberLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/detachedCommentAtStartOfLambdaFunction1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/detachedCommentAtStartOfLambdaFunction2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/didYouMeanElaborationsForExpressionsWhichCouldBeCalled.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminableUnionWithIntersectedMembers.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantElementAccessCheck.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantNarrowingCouldBeCircular.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantPropertyCheck.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantPropertyInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantUsingEvaluatableTemplateExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantsAndNullOrUndefined.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantsAndPrimitives.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantsAndTypePredicates.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminateObjectTypesOnly.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminateWithMissingProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminateWithOptionalProperty2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminateWithOptionalProperty3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminateWithOptionalProperty4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminatedUnionErrorMessage.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminatedUnionJsxElement.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminatedUnionWithIndexSignature.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminatingUnionWithUnionPropertyAgainstUndefinedWithoutStrictNullChecks.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/distributiveConditionalTypeNeverIntersection1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/divergentAccessors1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/divergentAccessorsTypes5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/divergentAccessorsTypes6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/divergentAccessorsTypes8.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/divideAndConquerIntersections.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitDetachedComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitDetachedCommentsAtStartOfConstructor.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitDetachedCommentsAtStartOfFunctionBody.ts @@ -465,12 +1175,27 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitPinnedCommentO Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitPinnedDetachedComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitTripleSlashCommentsInEmptyFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitTripleSlashCommentsOnNotEmittedNode.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotInferUnrelatedTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotWidenAtObjectLiteralPropertyAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotemitTripleSlashComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/doWhileUnreachableCode.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/doYouNeedToChangeYourTargetLibraryES2015.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/doYouNeedToChangeYourTargetLibraryES2016Plus.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/doYouNeedToChangeYourTargetLibraryES2023.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/dottedModuleName2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/dottedNamesInSystem.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/doubleMixinConditionalTypeBaseClassWorks.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doubleUnderscoreEnumEmit.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/doubleUnderscoreLabels.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/doubleUnderscoreMappedTypes.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst11.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst12.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst13.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst14.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst15.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst16.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst18.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst2.ts Missing initializer in const declaration Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst4.ts @@ -480,17 +1205,51 @@ Unexpected token tasks/coverage/typescript/tests/cases/compiler/dtsEmitTripleSlashAvoidUnnecessaryResolutionMode.ts Unexpected estree file content error: 2 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateDefaultExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateErrorAssignability.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateErrorClassExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateErrorNameNotFound.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierBindingElementInParameterDeclaration1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierBindingElementInParameterDeclaration2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierDifferentModifiers.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierDifferentSpelling.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierRelatedSpans6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierRelatedSpans7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierShouldNotShortCircuitBaseTypeBinding.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLabel1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLabel2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLabel3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLabel4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLocalVariable1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLocalVariable2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLocalVariable4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateObjectLiteralProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateObjectLiteralProperty_computedName1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateObjectLiteralProperty_computedName2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateObjectLiteralProperty_computedName3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateObjectLiteralProperty_computedNameNegative1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicatePackage_packageIdIncludesSubModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicatePackage_referenceTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicatePackage_subModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicatePropertiesInStrictMode.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateStringNamedProperty1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateSymbolsExportMatching.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateVarAndImport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateVarAndImport2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateVariablesByScope.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateVariablesWithAny.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicImportEvaluateSpecifier.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicImportInDefaultExportExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicImportWithNestedThis_es2015.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicImportWithNestedThis_es5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicImportsDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicModuleTypecheckError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicNames.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicNamesErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/elaboratedErrorsOnNullableTargets01.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/elementAccessExpressionInternalComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/elidedEmbeddedStatementsReplacedWithSemicolon.ts tasks/coverage/typescript/tests/cases/compiler/elidedJSImport1.ts Unexpected estree file content error: 1 != 2 @@ -503,19 +1262,32 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitBOM.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitBundleWithPrologueDirectives1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitCapturingThisInTupleDestructuring1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitCapturingThisInTupleDestructuring2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitClassExpressionInDeclarationFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitClassExpressionInDeclarationFile2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitClassMergedWithConstNamespaceNotElided.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitCommentsOnlyFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitDecoratorMetadata_restArgs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitHelpersWithLocalCollisions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitMemberAccessExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitMethodCalledNew.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitOneLineVariableDeclarationRemoveCommentsFalse.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitPinnedCommentsOnTopOfFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitPreComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSkipsThisWithRestParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSuperCallBeforeEmitParameterPropertyDeclaration1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSuperCallBeforeEmitParameterPropertyDeclaration1ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSuperCallBeforeEmitPropertyDeclaration1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSuperCallBeforeEmitPropertyDeclaration1ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSuperCallBeforeEmitPropertyDeclarationAndParameterPropertyDeclaration1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSuperCallBeforeEmitPropertyDeclarationAndParameterPropertyDeclaration1ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitThisInObjectLiteralGetter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitTopOfFileTripleSlashCommentOnNotEmittedNodeIfRemoveCommentsIsFalse.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyArrayDestructuringExpressionVisitedByTransformer.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyModuleName.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyObjectNotSubtypeOfIndexSignatureContainingObject1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyObjectNotSubtypeOfIndexSignatureContainingObject2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyOptionalBindingPatternInDeclarationSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumAssignmentCompat.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumAssignmentCompat2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumAssignmentCompat3.ts @@ -554,6 +1326,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithInfinityPropert Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithNaNProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithNegativeInfinityProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithNonLiteralStringInitializer.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithPrimitiveName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithQuotedElementName1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithQuotedElementName2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithUnicodeEscape1.ts @@ -567,114 +1340,367 @@ Unexpected estree file content error: 1 != 4 tasks/coverage/typescript/tests/cases/compiler/erasableSyntaxOnlyDeclaration.ts Unexpected estree file content error: 1 != 5 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorCause.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorConstructorSubtypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorElaboration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorElaborationDivesIntoApparentlyPresentPropsOnly.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorForBareSpecifierWithImplicitModuleResolutionNone.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorForConflictingExportEqualsValue.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorForUsingPropertyOfTypeAsType03.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorForwardReferenceForwadingConstructor.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorInfoForRelatedIndexTypesNoConstraintElaboration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorMessageOnIntersectionsWithDiscriminants01.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorMessagesIntersectionTypes01.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorMessagesIntersectionTypes02.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorOnEnumReferenceInCondition.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorOnUnionVsObjectShouldDeeplyDisambiguate.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorOnUnionVsObjectShouldDeeplyDisambiguate2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorsForCallAndAssignmentAreSimilar.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorsOnUnionsOfOverlappingObjects01.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorsWithInvokablesInUnions01.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es2015modulekind.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es2015modulekindWithES6Target.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es2018ObjectAssign.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionDoStatements.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionForOfStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionLongObjectLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionNestedLoops.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionObjectLiterals.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionWhileStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs7.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs8.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-importHelpersAsyncFunctions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-system.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-system2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-umd2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-umd3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-umd4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-yieldFunctionObjectLiterals.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultClassDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultClassDeclaration2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultClassDeclaration3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultClassDeclaration4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultFunctionDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultFunctionDeclaration2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultFunctionDeclaration3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultFunctionDeclaration4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultIdentifier.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportEquals.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportEqualsDts.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ModuleInternalNamedImports.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ModuleWithModuleGenAmd.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ModuleWithModuleGenCommonjs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ModuleWithoutModuleGenTarget.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5SetterparameterDestructuringNotElided.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5andes6module.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6-umd2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ClassTest.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ClassTest2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ClassTest8.ts -Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImport1WithExport.ts -Expected `=` but found `,` -Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImportWithExport.ts -Expected `=` but found `,` -Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamespaceBinding1WithExport.ts -Expected `=` but found `,` +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportAssignment.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportClause.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportClauseInEs5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportClauseWithAssignmentInEs5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportDefaultClassDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportDefaultClassDeclaration2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportDefaultExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportDefaultFunctionDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportDefaultFunctionDeclaration2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportDefaultIdentifier.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportEquals.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportEqualsInterop.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBinding.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingAmd.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingDts.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImport1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImport1InEs5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImport1WithExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImportDts1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImportWithExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamespaceBinding1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamespaceBinding1InEs5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamespaceBinding1WithExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamespaceBindingDts1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamespaceBindingWithExport.ts Expected `=` but found `,` -Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingWithExport.ts -Expected `=` but found `from` +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingMergeErrors.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingWithExport.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportNameSpaceImportWithExport.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportNamedImportWithExport.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportWithoutFromClauseWithExport.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6Module.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleClassDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleConst.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleConstEnumDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleConstEnumDeclaration2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleEnumDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleFunctionDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleInternalImport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleInternalNamedImports.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleInternalNamedImports2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleLet.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleModuleDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleVariableStatement.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleWithModuleGenTargetAmd.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleWithModuleGenTargetCommonjs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6UseOfTopLevelRequire.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/esDecoratorsClassFieldsCrash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/esModuleInteropDefaultImports.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/esModuleInteropImportDefaultWhenAllNamedAreDefaultAlias.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/esModuleInteropImportTSLibHasImport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/esModuleInteropNamedDefaultImports.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/esModuleInteropTslibHelpers.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/esModuleInteropUsesExportStarWhenDefaultPlusNames.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/esNextWeakRefs_IterableWeakMap.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/escapedIdentifiers.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/escapedReservedCompilerNamedIdentifier.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/evalOrArgumentsInDeclarationFunctions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/eventEmitterPatternWithRecordOfFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/evolvingArrayTypeInAssert.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exactSpellingSuggestion.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertiesInOverloads.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckIntersectionWithIndexSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckIntersectionWithRecursiveType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckWithEmptyObject.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckWithMultipleDiscriminants.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckWithNestedArrayIntersection.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckWithSpread.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckWithUnions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckingIntersectionWithConditional.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyChecksWithNestedIntersections.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyErrorForFunctionTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyErrorsSuppressed.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessivelyLargeTupleSpread.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exhaustiveSwitchCheckCircularity.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exhaustiveSwitchWithWideningLiteralTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionBlockShadowing.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionContextualTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionContextualTypesJSDocInTs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionContextualTypesNoValue.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionExpressionsWithDynamicNames.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionNestedAssigments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionNestedAssigmentsDeclared.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionNullishProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionSymbolProperty.ts tasks/coverage/typescript/tests/cases/compiler/expandoFunctionSymbolPropertyJs.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/explicitAnyAfterSpreadNoImplicitAnyError.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/exportAlreadySeen.ts 'export' modifier cannot be used here. +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportArrayBindingPattern.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAsNamespace.d.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAsNamespaceConflict.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignClassAndModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignValueAndType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignedTypeAsTypeAnnotation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentImportMergeNoCrash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentOfDeclaredExternalModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentOfGenericType1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentWithDeclareAndExportModifiers.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentWithDeclareModifier.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentWithExportModifier.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentWithExports.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentWithImportStatementPrivacyError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentWithPrivacyError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentWithoutIdentifier1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportClassExtendingIntersection.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDeclarationForModuleOrEnumWithMemberOfSameName.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDeclarationsInAmbientNamespaces.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDeclareClass1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultAbstractClass.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultAlias_excludesEverything.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultAsyncFunction.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/exportDefaultAsyncFunction2.ts Cannot use `await` as an identifier in an async context +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultClassAndValue.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultClassInNamespace.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultDuplicateCrash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultForNonInstantiatedModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultFunctionInNamespace.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultImportedType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterface.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterfaceAndFunctionOverloads.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterfaceAndTwoFunctions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterfaceAndValue.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterfaceClassAndFunctionOverloads.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterfaceClassAndValue.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultMissingName.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultParenthesize.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultParenthesizeES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultProperty2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultQualifiedNameNoError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultStripsFreshness.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultTypeAndClass.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultTypeAndFunctionOverloads.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultTypeClassAndValue.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultVariable.ts tasks/coverage/typescript/tests/cases/compiler/exportDefaultWithJSDoc1.ts Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/compiler/exportDefaultWithJSDoc2.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEmptyArrayBindingPattern.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEmptyObjectBindingPattern.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualCallable.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualErrorType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualMemberMissing.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualNamespaces.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsAmd.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsClassNoRedeclarationError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsClassRedeclarationError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsCommonJs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsDefaultProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsProperty2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsUmd.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportImportAndClodule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportImportCanSubstituteConstEnumForValue.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportImportNonInstantiatedModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportImportNonInstantiatedModule2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportInterfaceClassAndValue.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportInterfaceClassAndValueWithDuplicatesInImportList.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportNamespaceDeclarationRetainsVisibility.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportObjectRest.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportRedeclarationTypeAliases.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportSameNameFuncVar.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportSpecifierReferencingOuterDeclaration2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportSpecifierReferencingOuterDeclaration4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportStarFromEmptyModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportToString.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportTwoInterfacesWithSameName.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportVisibility.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportedBlockScopedDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportedInterfaceInaccessibleInCallbackInModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportedVariable1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportingContainingVisibleType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportsInAmbientModules2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/expr.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/expressionWithJSDocTypeArguments.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/compiler/expressionsForbiddenInParameterInitializers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/extendBaseClassBeforeItsDeclared.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/extendingClassFromAliasAndUsageInIndexer.ts tasks/coverage/typescript/tests/cases/compiler/extendsUntypedModule.ts Unexpected estree file content error: 1 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleAssignToVar.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleImmutableBindings.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleQualification.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleReferenceDoubleUnderscore1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleRefernceResolutionOrderInImportDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleWithoutCompilerFlag1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/extractInferenceImprovement.ts tasks/coverage/typescript/tests/cases/compiler/fakeInfinity1.ts serde_json::from_str(oxc_json) error: number out of range at line 32 column 27 tasks/coverage/typescript/tests/cases/compiler/fakeInfinity2.ts -serde_json::from_str(oxc_json) error: number out of range at line 45 column 31 +serde_json::from_str(oxc_json) error: number out of range at line 42 column 29 tasks/coverage/typescript/tests/cases/compiler/fakeInfinity3.ts -serde_json::from_str(oxc_json) error: number out of range at line 45 column 31 +serde_json::from_str(oxc_json) error: number out of range at line 42 column 29 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/fallbackToBindingPatternForTypeInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/fatArrowSelf.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/fatarrowfunctions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/fatarrowfunctionsInFunctions.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/fatarrowfunctionsOptionalArgsErrors1.ts A rest parameter cannot be optional +Mismatch: tasks/coverage/typescript/tests/cases/compiler/fatarrowfunctionsOptionalArgsErrors4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/fieldAndGetterWithSameName.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/fileReferencesWithNoExtensions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/fileWithNextLine1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/fileWithNextLine2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/fileWithNextLine3.ts A 'return' statement can only be used within a function body. +Mismatch: tasks/coverage/typescript/tests/cases/compiler/flatArrayNoExcessiveStackDepth.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/flowControlTypeGuardThenSwitch.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/forLoopEndingMultilineComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/forLoopWithDestructuringDoesNotElideFollowingStatement.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/forOfTransformsExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/forwardRefInEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/forwardRefInTypeDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/freshLiteralInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/freshLiteralTypesInIntersections.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/funcdecl.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionAndInterfaceWithSeparateErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionArgShadowing.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionAssignment.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall10.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall13.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall14.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall15.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall16.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall17.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall18.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCallOnConstrainedTypeVariable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionDeclarationWithResolutionOfTypeNamedArguments01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionDeclarationWithResolutionOfTypeOfSameName01.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionExpressionShadowedByParams.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionExpressionWithResolutionOfTypeNamedArguments01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionExpressionWithResolutionOfTypeOfSameName01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionExpressionWithResolutionOfTypeOfSameName02.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionInIfStatementInModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionLikeInParameterInitializer.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionMergedWithModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads14.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads17.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads18.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads19.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads22.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads35.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads36.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads38.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads39.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads40.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads42.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads43.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads44.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads45.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloadsOnGenericArity1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloadsRecursiveGenericReturnType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionReturnTypeQuery.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionSubtypingOfVarArgs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionSubtypingOfVarArgs2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionTypeArgumentArityErrors.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionWithAnyReturnTypeAndNoReturnExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionWithDefaultParameterWithNoStatements4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionsWithImplicitReturnTypeAssignableToUndefined.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/fuzzy.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/generatorES6InAMDModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/generatorES6_4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericArray1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericArrayExtenstions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericArrayMethods1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericAssignmentCompatWithInterfaces1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericCallInferenceConditionalType1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericCallInferenceConditionalType2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericCallInferenceWithGenericLocalFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericCallOnMemberReturningClosedOverObject.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericCallWithObjectLiteralArguments1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericCallWithinOwnBodyCastTypeParameterIdentity.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericClassImplementingGenericInterfaceFromAnotherModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericClassPropertyInheritanceSpecialization.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericClassWithStaticFactory.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericClassWithStaticsUsingTypeArguments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericClasses4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericClassesInModule2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericConditionalConstrainedToUnknownNotAssignableToConcreteObject.ts @@ -682,28 +1708,82 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericConstraint2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericConstraintDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericConstraintOnExtendedBuiltinTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericConstraintOnExtendedBuiltinTypes2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericConstraintSatisfaction1.ts tasks/coverage/typescript/tests/cases/compiler/genericDefaultsJs.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericFunctionInference1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericFunctionInference2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericFunctionsAndConditionalInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericFunctionsNotContextSensitive.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericIndexedAccessMethodIntersectionCanBeAccessed.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericInference2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericInferenceDefaultTypeParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericInferenceDefaultTypeParameterJsxReact.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericInheritedDefaultConstructors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericInstanceOf.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericInterfaceFunctionTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericIsNeverEmptyObject.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericMappedTypeAsClause.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericMemberFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericObjectLitReturnType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericObjectSpreadResultInSwitch.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericRecursiveImplicitConstructorErrors1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericRecursiveImplicitConstructorErrors2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericRestArgs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericRestTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericReturnTypeFromGetter1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericSignatureIdentity.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericSpecializationToTypeLiteral1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericTemplateOverloadResolution.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericTupleWithSimplifiableElements.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericTypeParameterEquivalence2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericTypeWithCallableMembers.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericTypeWithMultipleBases1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericTypeWithMultipleBases2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericWithCallSignatures1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericWithIndexerOfTypeParameterType2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericsAndHigherOrderFunctions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericsWithDuplicateTypeParameters1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericsWithoutTypeParameters1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/getParameterNameAtPosition.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/getSetEnumerable.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/getsetReturnTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/getterSetterNonAccessor.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/gettersAndSetters.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/gettersAndSettersTypesAgree.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/globalIsContextualKeyword.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/globalThisCapture.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/higherOrderMappedIndexLookupInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/homomorphicMappedTypeNesting.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/homomorphicMappedTypeWithNonHomomorphicInstantiationSpreadable1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/hugeDeclarationOutputGetsTruncatedWithError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/icomparable.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/identicalGenericConditionalsWithInferRelated.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/identicalTypesNoDifferByCheckOrder.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/identityAndDivergentNormalizedTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/identityRelationNeverTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/ifStatementInternalComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/ignoredJsxAttributes.tsx Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/illegalModifiersOnClassElements.ts Expected a semicolon or an implicit semicolon after a statement, but found none +Mismatch: tasks/coverage/typescript/tests/cases/compiler/illegalSuperCallsInConstructor.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/implementArrayInterface.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/implementGenericWithMismatchedTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyDeclareFunctionExprWithoutFormalType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyDeclareFunctionWithoutFormalType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyDeclareFunctionWithoutFormalType2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyDeclareMemberWithoutType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyDeclareMemberWithoutType2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyDeclareVariablesWithoutTypeAndInit.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyFromCircularInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyFunctionInvocationWithAnyArguements.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyFunctionOverloadWithImplicitAnyReturnType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyFunctionReturnNullOrUndefined.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyGenericTypeInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyGetAndSetAccessorWithAnyReturnType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyInCatch.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyWidenToAny.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitIndexSignatures.ts tasks/coverage/typescript/tests/cases/compiler/impliedNodeFormatEmit1.ts Unexpected estree file content error: 3 != 10 @@ -717,12 +1797,19 @@ Unexpected estree file content error: 3 != 10 tasks/coverage/typescript/tests/cases/compiler/impliedNodeFormatEmit4.ts Unexpected estree file content error: 3 != 10 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/impliedNodeFormatInterop1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importAliasFromNamespace.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importAliasInModuleAugmentation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importAnImport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importDecl.ts tasks/coverage/typescript/tests/cases/compiler/importDeclFromTypeNodeInJsSource.ts Unexpected estree file content error: 2 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importDeclWithExportModifier.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importDeclWithExportModifierAndExportAssignment.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importDeclarationUsedAsTypeQuery.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importElisionEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importElisionExportNonExportAndDefault.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importExportInternalComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersAmd.ts @@ -735,12 +1822,17 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersInAmbientContext.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersInIsolatedModules.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersInTsx.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersNoEmitHelpersExportDefault.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersNoHelpers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersOutFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersSystem.ts tasks/coverage/typescript/tests/cases/compiler/importHelpersVerbatimModuleSyntax.ts Unexpected estree file content error: 2 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersWithImportOrExportDefault.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersWithImportOrExportDefaultNoTslib.1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersWithImportOrExportDefaultNoTslib.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersWithImportOrExportDefaultNoTslib.3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersWithLocalCollisions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importInTypePosition.ts tasks/coverage/typescript/tests/cases/compiler/importNonExportedMember10.ts @@ -758,6 +1850,7 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/compiler/importNonExportedMember9.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importNotElidedWhenNotFound.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importPropertyFromMappedType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importShouldNotBeElidedInDeclarationEmit.ts tasks/coverage/typescript/tests/cases/compiler/importTypeResolutionJSDocEOF.ts @@ -765,29 +1858,58 @@ Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/compiler/importTypeTypeofClassStaticLookup.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importTypeWithUnparenthesizedGenericFunctionParsed.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importUsedAsTypeWithErrors.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importUsedInExtendsList1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importUsedInGenericImportResolves.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importWithTrailingSlash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importWithTrailingSlash_noResolve.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/import_unneeded-require-when-referenecing-aliased-type-throug-array.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importedAliasesInTypePositions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importedEnumMemberMergedWithExportedAliasIsError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importedModuleAddToGlobal.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importedModuleClassNameClash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importsInAmbientModules2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/importsInAmbientModules3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inKeywordAndUnknown.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inOperatorWithFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/incompatibleTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/incorrectNumberOfTypeArgumentsDuringErrorReporting.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/incorrectRecursiveMappedTypeConstraint.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexClassByNumber.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexIntoEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexSignatureAndMappedType.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureMustHaveTypeAnnotation.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexSignatureOfTypeUnknownStillRequiresIndexSignature.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureTypeCheck.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureTypeCheck2.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexSignatureWithInitializer.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureWithInitializer1.ts Expected `]` but found `=` Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureWithTrailingComma.ts Expected `]` but found `,` Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureWithoutTypeAnnotation1.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexSignaturesInferentialTyping.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexTypeCheck.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexTypeNoSubstitutionTemplateLiteral.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexWithoutParamType.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessAndNullableNarrowing.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessCanBeHighOrder.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessConstraints.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessKeyofNestedSimplifiedSubstituteUnwrapped.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessNormalization.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessRelation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessRetainsIndexSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessTypeConstraints.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessWithFreshObjectLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessWithVariableElement.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexer.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexerA.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexerAsOptional.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexerConstraints2.ts @@ -795,62 +1917,181 @@ Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexerSignatureWithRestParam.ts Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexingTypesWithNever.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indirectDiscriminantAndExcessProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indirectGlobalSymbolPartOfObjectType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indirectTypeParameterReferences.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/indirectUniqueSymbolDeclarationEmit.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferConditionalConstraintMappedMember.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferFromAnnotatedReturn1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferFromGenericFunctionReturnTypes1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferFromGenericFunctionReturnTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferFromGenericFunctionReturnTypes3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferFromNestedSameShapeTuple.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferObjectTypeFromStringLiteralToKeyof.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferPropertyWithContextSensitiveReturnStatement.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferRestArgumentsMappedTuple.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferSecondaryParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferStringLiteralUnionForBindingElement.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferTInParentheses.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferTypeArgumentsInSignatureWithRestParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferTypeConstraintInstantiationCircularity.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferTypeParameterConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferTypePredicates.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferTypesWithFixedTupleExtendsAtVariadicPosition.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceAndHKTs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceAndSelfReferentialConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceDoesntCompareAgainstUninstantiatedTypeParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceErasedSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceExactOptionalProperties2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceFromIncompleteSource.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceOptionalPropertiesToIndexSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceOuterResultNotIncorrectlyInstantiatedWithInnerResult.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceShouldFailOnEvolvingArrays.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceUnionOfObjectsMappedContextualType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentialTypingObjectLiteralMethod1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentialTypingObjectLiteralMethod2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentialTypingUsingApparentType2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentialTypingUsingApparentType3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentialTypingWithFunctionTypeNested.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentialTypingWithFunctionTypeSyntacticScenarios.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentialTypingWithObjectLiteralProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentiallyTypingAnEmptyArray.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferredNonidentifierTypesGetQuotes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferredRestTypeFixedOnce.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferredReturnTypeIncorrectReuse1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferrenceInfiniteLoopWithSubtyping.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferringAnyFunctionType5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/infiniteConstraints.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedConstructorPropertyContextualType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedConstructorWithRestParams.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedConstructorWithRestParams2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedMembersAndIndexSignaturesFromDifferentBases.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedStringIndexersFromDifferentBaseTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedStringIndexersFromDifferentBaseTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/initializePropertiesWithRenamedLet.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/initializedParameterBeforeNonoptionalNotOptional.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/initializersInAmbientEnums.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inlineMappedTypeModifierDeclarationEmit.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/inlineSourceMap2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/innerExtern.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/instanceAndStaticDeclarations1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/instanceOfInExternalModules.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/instanceofNarrowReadonlyArray.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/instanceofOnInstantiationExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/instanceofTypeAliasToGenericClass.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/instanceofWithStructurallyIdenticalTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/instantiateContextualTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/instantiateContextuallyTypedGenericThis.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/instantiatedTypeAliasDisplay.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/instantiationExpressionErrorNoCrash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/interface0.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceAssignmentCompat.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceContextualType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceDeclaration3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceDeclaration5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceDeclaration6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceImplementation6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceImplementation7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceImplementation8.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceMergedUnconstrainedNoErrorIrrespectiveOfOrder.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceSubtyping.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasClassInsideLocalModuleWithExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasClassInsideLocalModuleWithoutExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasClassInsideLocalModuleWithoutExportAccessError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasClassInsideTopLevelModuleWithExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasClassInsideTopLevelModuleWithoutExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasEnumInsideLocalModuleWithExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasEnumInsideLocalModuleWithoutExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasEnumInsideLocalModuleWithoutExportAccessError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasEnumInsideTopLevelModuleWithExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasEnumInsideTopLevelModuleWithoutExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasFunctionInsideLocalModuleWithExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasFunctionInsideLocalModuleWithoutExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasFunctionInsideLocalModuleWithoutExportAccessError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasFunctionInsideTopLevelModuleWithExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasFunctionInsideTopLevelModuleWithoutExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInitializedModuleInsideLocalModuleWithExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInitializedModuleInsideLocalModuleWithoutExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInitializedModuleInsideLocalModuleWithoutExportAccessError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInitializedModuleInsideTopLevelModuleWithExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInitializedModuleInsideTopLevelModuleWithoutExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInterfaceInsideLocalModuleWithExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInterfaceInsideLocalModuleWithoutExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInterfaceInsideLocalModuleWithoutExportAccessError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInterfaceInsideTopLevelModuleWithExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInterfaceInsideTopLevelModuleWithoutExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasUninitializedModuleInsideLocalModuleWithExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasUninitializedModuleInsideLocalModuleWithoutExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasUninitializedModuleInsideLocalModuleWithoutExportAccessError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasUninitializedModuleInsideTopLevelModuleWithExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasUninitializedModuleInsideTopLevelModuleWithoutExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasVarInsideLocalModuleWithExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasVarInsideLocalModuleWithoutExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasVarInsideLocalModuleWithoutExportAccessError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasVarInsideTopLevelModuleWithExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasVarInsideTopLevelModuleWithoutExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasWithDottedNameEmit.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionApparentTypeCaching.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionConstraintReduction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionOfMixinConstructorTypeAndNonConstructorType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionOfTypeVariableHasApparentSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionPropertyCheck.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionReductionGenericStringLikeType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionSatisfiesConstraint.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionTypeInference1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionTypeNormalization.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionType_useDefineForClassFields.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionWithConstructSignaturePrototypeResult.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionsAndOptionalProperties2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionsAndReadonlyProperties.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionsOfLargeUnions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionsOfLargeUnions2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/intraBindingPatternReferences.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/invalidThisEmitInContextualObjectLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/invalidTripleSlashReference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/invalidTypeNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/invariantGenericErrorElaboration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ipromise2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ipromise4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isDeclarationVisibleNodeKinds.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorTypes1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsClasses.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsClassesExpressions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsDefault.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsEnums.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsExpandoFunctions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsExpressions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsFunctionDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsObjects.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsReturnTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationLazySymbols.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationsAddUndefined2.ts tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationsAllowJs.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationsLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesAmbientConstEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesConstEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesExportDeclarationType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesExportImportUninstantiatedNamespace.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesGlobalNamespacesAndEnums.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesImportConstEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesImportConstEnumTypeOnly.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesImportExportElision.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesNoEmitOnError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesNonAmbientConstEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesReExportAlias.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesReExportType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesRequiresPreserveConstEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesSourceMap.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesSpecifiedModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesUnspecifiedModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/iteratorExtraParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/iteratorsAndStrictNullChecks.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jqueryInference.ts tasks/coverage/typescript/tests/cases/compiler/jsDeclarationEmitExportedClassWithExtends.ts Unexpected estree file content error: 3 != 4 @@ -968,34 +2209,124 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/compiler/jsdocAccessEnumType.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsdocCastCommentEmit.ts tasks/coverage/typescript/tests/cases/compiler/jsdocImportTypeNodeNamespace.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsdocInTypeScript.ts tasks/coverage/typescript/tests/cases/compiler/jsdocReferenceGlobalTypeInCommonJs.ts Unexpected estree file content error: 2 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxCallElaborationCheckNoCrash1.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxCallbackWithDestructuring.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildWrongType.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildrenArrayWrongType.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildrenGenericContextualTypes.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildrenIndividualErrorElaborations.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildrenSingleChildConfusableWithMultipleChildrenNoError.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildrenWrongType.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxComplexSignatureHasApplicabilityError.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxComponentTypeErrors.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxElementClassTooManyParams.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxElementType.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxElementTypeLiteral.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxElementTypeLiteralWithGeneric.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxEmptyExpressionNotCountedAsChild.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxEmptyExpressionNotCountedAsChild2.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxExcessPropsAndAssignability.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFactoryAndJsxFragmentFactory.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFactoryAndJsxFragmentFactoryErrorNotIdentifier.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFactoryAndJsxFragmentFactoryNull.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFactoryButNoJsxFragmentFactory.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFragReactReferenceErrors.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFragmentAndFactoryUsedOnFragmentUse.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFragmentFactoryNoUnusedLocals.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFragmentFactoryReference.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFragmentWrongType.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxGenericComponentWithSpreadingResultOfGenericFunction.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxHasLiteralType.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxImportForSideEffectsNonExtantNoError.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxImportInAttribute.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxImportSourceNonPragmaComment.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxInExtendsClause.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxInferenceProducesLiteralAsExpected.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxIntrinsicDeclaredUsingTemplateLiteralTypeSignatures.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxIntrinsicElementsCompatability.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxIntrinsicElementsTypeArgumentErrors.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxIntrinsicUnions.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxIssuesErrorWhenTagExpectsTooManyArguments.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxLibraryManagedAttributesUnusedGeneric.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxLocalNamespaceIndexSignatureNoCrash.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxNamespaceImplicitImportJSXNamespaceFromConfigPickedOverGlobalOne.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxNamespaceImplicitImportJSXNamespaceFromPragmaPickedOverGlobalOne.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxNamespaceReexports.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxNamespacedNameNotComparedToNonMatchingIndexSignature.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxPartialSpread.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxPropsAsIdentifierNames.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxSpreadFirstUnionNoErrors.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxViaImport.2.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxViaImport.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/keyRemappingKeyofResult.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/keyofDoesntContainSymbols.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/keyofIsLiteralContexualType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/keyofModuleObjectHasCorrectKeys.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/keyofObjectWithGlobalSymbolIncluded.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/keywordExpressionInternalComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/keywordField.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/knockout.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/lambdaParamTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/lambdaParameterWithTupleArgsHasCorrectAssignability.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/lambdaPropSelf.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/largeControlFlowGraph.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/largeTupleTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/lastPropertyInLiteralWins.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/lateBoundConstraintTypeChecksCorrectly.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/lateBoundDestructuringImplicitAnyError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/lateBoundFunctionMemberAssignmentDeclarations.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/letDeclarations-es5-1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/letDeclarations-invalidContexts.ts Expected a semicolon or an implicit semicolon after a statement, but found none +Mismatch: tasks/coverage/typescript/tests/cases/compiler/letDeclarations-scopes-duplicates.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/letDeclarations-scopes.ts Expected a semicolon or an implicit semicolon after a statement, but found none Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/letDeclarations-validContexts.ts Expected a semicolon or an implicit semicolon after a statement, but found none +Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInConstDeclarations_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInConstDeclarations_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInLetConstDeclOfForOfAndForIn_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInLetConstDeclOfForOfAndForIn_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInLetDeclarations_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInLetDeclarations_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInNonStrictMode.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInVarDeclOfForIn_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInVarDeclOfForIn_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInVarDeclOfForOf_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInVarDeclOfForOf_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/libCompileChecks.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/libTypeScriptOverrideSimple.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/libTypeScriptOverrideSimpleConfig.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/libTypeScriptSubfileResolving.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/libTypeScriptSubfileResolvingConfig.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/library_ArraySlice.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/library_DatePrototypeProperties.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/library_ObjectPrototypeProperties.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/library_RegExpExecArraySlice.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/library_StringSlice.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/lift.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/limitDeepInstantiations.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/literalFreshnessPropagationOnNarrowing.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/literalIntersectionYieldsLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/literalWideningWithCompoundLikeAssignments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/literals-negative.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/literalsInComputedProperties1.ts An enum member cannot have a numeric name. +Mismatch: tasks/coverage/typescript/tests/cases/compiler/localAliasExportAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/localImportNameVsGlobalName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/localTypeParameterInferencePriority.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/m7Bugs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/manyConstExports.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/mapOnTupleTypes01.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/mapOnTupleTypes02.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedArrayTupleIntersections.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedToToIndexSignatureInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeAndIndexSignatureRelation.ts @@ -1005,6 +2336,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeContextualTyp Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeGenericIndexedAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeGenericInstantiationPreservesHomomorphism.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeGenericInstantiationPreservesInlineForm.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeGenericWithKnownKeys.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeIndexedAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeIndexedAccessConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeInferenceAliasSubstitution.ts @@ -1017,6 +2349,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeNoTypeNoCrash Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeNotMistakenlyHomomorphic.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeOverArrayWithBareAnyRestCanBeUsedAsRestParam1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeParameterConstraint.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypePartialConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypePartialNonHomomorphicBaseConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeRecursiveInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeRecursiveInference2.ts @@ -1027,25 +2360,46 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeWithAsClauseA Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeWithAsClauseAndLateBoundProperty2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeWithCombinedTypeMappers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeWithNameClauseAppliedToArrayType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/matchReturnTypeInAllBranches.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/matchingOfObjectLiteralConstraints.ts tasks/coverage/typescript/tests/cases/compiler/maxNodeModuleJsDepthDefaultsToZero.ts Unexpected estree file content error: 2 != 4 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/maximum10SpellingSuggestions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/memberAccessMustUseModuleInstances.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/memberOverride.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/memberVariableDeclarations1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergeSymbolReexportInterface.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergeSymbolReexportedTypeAliasInstantiation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergeSymbolRexportFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergeWithImportedType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedDeclarationExports.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedDeclarations1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedDeclarations2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedDeclarations3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedEnumDeclarationCodeGen.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedInstantiationAssignment.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedInterfaceFromMultipleFiles1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedModuleDeclarationCodeGen.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedModuleDeclarationCodeGen2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedModuleDeclarationCodeGen3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedModuleDeclarationCodeGen4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedModuleDeclarationCodeGen5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/metadataImportType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/metadataOfUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/methodContainingLocalFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/methodInAmbientClass1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/missingCommaInTemplateStringsArray.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/missingFunctionImplementation.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/missingImportAfterModuleImport.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/misspelledNewMetaProperty.ts The only valid meta property for new is new.target Mismatch: tasks/coverage/typescript/tests/cases/compiler/mixedTypeEnumComparison.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/mixinIntersectionIsValidbaseType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mixinOverMappedTypeNoCrash.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mixinPrivateAndProtected.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/mixingApparentTypeOverrides.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/modifierParenCast.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/modifiersInObjectLiterals.ts 'public' modifier cannot be used here. Mismatch: tasks/coverage/typescript/tests/cases/compiler/modularizeLibrary_Dom.asynciterable.ts @@ -1061,40 +2415,74 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/modularizeLibrary_Using Mismatch: tasks/coverage/typescript/tests/cases/compiler/modularizeLibrary_UsingES5LibAndES6FeatureLibs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/modularizeLibrary_Worker.asynciterable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/modularizeLibrary_Worker.iterable.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAliasAsFunctionArgument.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationCollidingNamesInAugmentation1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationDeclarationEmit1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationDeclarationEmit2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationDisallowedExtensions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationDoesNamespaceEnumMergeOfReexport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationDuringSyntheticDefaultCheck.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationEnumClassMergeOfReexportIsError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationExtendAmbientModule1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationExtendAmbientModule2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationExtendFileModule1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationExtendFileModule2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationGlobal2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationGlobal3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationGlobal5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationGlobal8.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationGlobal8_1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationInAmbientModule1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationInAmbientModule2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationInAmbientModule3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationInAmbientModule4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationInAmbientModule5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationNoNewNames.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationOfAlias.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationsImports1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationsImports2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationsImports3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationsImports4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleClassArrayCodeGenTest.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleCodeGenTest5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleCodegenTest4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleDuplicateIdentifiers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleElementsInWrongContext.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleElementsInWrongContext2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleElementsInWrongContext3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleExports1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleExportsUnaryExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleIdentifiers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleImport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleImportedForTypeArgumentPosition.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleInTypePosition1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleLocalImportNotIncorrectlyRedirected.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleMemberWithoutTypeAnnotation1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleMerge.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleNodeImportRequireEmit.ts tasks/coverage/typescript/tests/cases/compiler/moduleNoneDynamicImport.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleNoneErrors.ts tasks/coverage/typescript/tests/cases/compiler/modulePreserve2.ts Unexpected estree file content error: 2 != 4 tasks/coverage/typescript/tests/cases/compiler/modulePreserve4.ts Unexpected estree file content error: 5 != 12 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/modulePreserve5.ts tasks/coverage/typescript/tests/cases/compiler/modulePreserveImportHelpers.ts Unexpected estree file content error: 2 != 4 Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/modulePreserveTopLevelAwait1.ts `await` is only allowed within async functions and at the top levels of modules +Mismatch: tasks/coverage/typescript/tests/cases/compiler/modulePrologueAMD.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/modulePrologueCommonjs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/modulePrologueES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/modulePrologueSystem.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/modulePrologueUmd.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionNoTsCJS.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionNoTsESM.ts tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithExtensions_notSupported.ts Unexpected estree file content error: 2 != 4 @@ -1114,6 +2502,8 @@ tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithExtensions_wi Unexpected estree file content error: 3 != 5 Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithRequire.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithRequireAndImport.ts tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithSuffixes_one_externalModule.ts Unexpected estree file content error: 3 != 5 @@ -1126,7 +2516,11 @@ Unexpected estree file content error: 3 != 5 tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithSuffixes_one_jsModule.ts Unexpected estree file content error: 1 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithSymlinks.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithSymlinks_notInNodeModules.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithSymlinks_preserveSymlinks.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithSymlinks_referenceTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithSymlinks_withOutDir.ts tasks/coverage/typescript/tests/cases/compiler/moduleResolution_classicPrefersTs.ts Unexpected estree file content error: 2 != 3 @@ -1155,33 +2549,94 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleSharesNameWithImp Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleSharesNameWithImportDeclarationInsideIt4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleSharesNameWithImportDeclarationInsideIt5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleSharesNameWithImportDeclarationInsideIt6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleSymbolMerging.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleVisibilityTest1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleVisibilityTest2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/module_augmentUninstantiatedModule2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduledecl.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/multiImportExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/multiLineContextDiagnosticWithPretty.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/multiLinePropertyAccessAndArrowFunctionIndent1.ts A 'return' statement can only be used within a function body. +Mismatch: tasks/coverage/typescript/tests/cases/compiler/multiSignatureTypeInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/multipleExportAssignments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/multipleExports.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/multipleInferenceContexts.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/multivar.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/mutuallyRecursiveCallbacks.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/mutuallyRecursiveInterfaceDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nameCollisionsInPropertyAssignments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/namespaceDisambiguationInUnion.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/namespaceNotMergedWithFunctionDefaultExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowByClauseExpressionInSwitchTrue1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowByClauseExpressionInSwitchTrue2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowByClauseExpressionInSwitchTrue9.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowBySwitchDiscriminantUndefinedCase1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowRefinedConstLikeParameterBIndingElementNameInInnerScope.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowTypeByInstanceof.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowedConstInMethod.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowedImports.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingAssignmentReadonlyRespectsAssertion.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingByDiscriminantInLoop.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingByTypeofInSwitch.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingConstrainedTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingDestructuring.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingInCaseClauseAfterCaseClauseWithReturn.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingIntersection.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingMutualSubtypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingNoInfer1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingOfDottedNames.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingOfQualifiedNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingOrderIndependent.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingPastLastAssignment.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingPastLastAssignmentInModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingRestGenericCall.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingTypeofParenthesized1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingUnionToUnion.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingUnionWithBang.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nearbyIdenticalGenericLambdasAssignable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedExcessPropertyChecking.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedFreshLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedGenericConditionalTypeWithGenericImportType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedGenericSpreadInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedHomomorphicMappedTypesWithArrayConstraint1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedLoopTypeGuards.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedLoops.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedObjectRest.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedRecursiveArraysOrObjectsError01.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedSuperCallEmit.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedTypeVariableInfersLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/neverAsDiscriminantType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/newAbstractInstance2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/newFunctionImplicitAny.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/newNamesInGlobalAugmentations1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noAsConstNameLookup.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCheckDoesNotReportError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCheckNoEmit.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCheckRequiresEmitDeclarationOnly.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCircularDefinitionOnExportOfPrivateInMergedNamespace.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCollisionThisExpressionAndLocalVarInAccessors.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCollisionThisExpressionAndLocalVarInConstructor.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCollisionThisExpressionAndLocalVarInLambda.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCollisionThisExpressionAndLocalVarInMethod.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCollisionThisExpressionAndLocalVarInProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCrashOnImportShadowing.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCrashOnMixin.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCrashOnNoLib.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCrashOnThisTypeUsage.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noDefaultLib.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noErrorTruncation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noErrorUsingImportExportModuleAugmentationInDeclarationFile1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noErrorUsingImportExportModuleAugmentationInDeclarationFile2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noErrorUsingImportExportModuleAugmentationInDeclarationFile3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noErrorsInCallback.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noExcessiveStackDepthError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyAndPrivateMembersWithoutTypeAnnotations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyDestructuringInPrivateMethod.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyDestructuringParameterDeclaration.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyDestructuringVarDeclaration.ts Missing initializer in destructuring declaration +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyDestructuringVarDeclaration2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyForIn.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyForwardReferencedInterface.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyInBareInterface.ts @@ -1191,6 +2646,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyIndexingSu Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyMissingGetAccessor.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyMissingSetAccessor.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyNamelessParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyParametersInAmbientClass.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyParametersInAmbientFunctions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyParametersInAmbientModule.ts @@ -1200,12 +2656,30 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyParameters Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyParametersInModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyReferencingDeclaredInterface.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyStringIndexerOnObject.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyUnionNormalizedObjectLiteral1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitReturnsExclusions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitReturnsInAsync2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitSymbolToString.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitThisBigThis.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitUseStrict_amd.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitUseStrict_commonjs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitUseStrict_es6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitUseStrict_system.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitUseStrict_umd.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noInferUnionExcessPropertyCheck1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noIterationTypeErrorsInCFA.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noObjectKeysToKeyofT.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noRepeatedPropertyNames.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noSubstitutionTemplateStringLiteralTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noSubtypeReduction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUncheckedIndexAccess.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUncheckedIndexedAccessCompoundAssignments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUnusedLocals_destructuringAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUnusedLocals_selfReference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUnusedLocals_writeOnly.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUsedBeforeDefinedErrorInAmbientContext1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUsedBeforeDefinedErrorInTypeContext.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeModuleReexportFromDottedPath.ts tasks/coverage/typescript/tests/cases/compiler/nodeNextImportModeImplicitIndexResolution2.ts Unexpected estree file content error: 4 != 6 @@ -1213,34 +2687,116 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeNextModuleResolutio tasks/coverage/typescript/tests/cases/compiler/nodeNextModuleResolution2.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeNextPackageSelfNameWithOutDirDeclDirCompositeNestedDirs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeNextPackageSelfNameWithOutDirDeclDirNestedDirs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeResolution4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeResolution6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeResolution8.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonArrayRestArgs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonExportedElementsOfMergedModules.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonInferrableTypePropagation2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonInferrableTypePropagation3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonMergedOverloads.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonNullFullInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonNullMappedType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonNullableAndObjectIntersections.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonNullableReduction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonNullableReductionNonStrict.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonNullableWithNullableGenericIndexedAccessArg.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonObjectUnionNestedExcessPropertyCheck.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nongenericConditionalNotPartiallyComputed.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonstrictTemplateWithNotOctalPrintsAsIs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/normalizedIntersectionTooComplex.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/null.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/numberAssignableToEnumInsideUnion.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/numberVsBigIntOperations.ts Missing initializer in const declaration Mismatch: tasks/coverage/typescript/tests/cases/compiler/numericEnumMappedType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/numericIndexerConstraint4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/numericIndexerConstraint5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectAssignLikeNonUnionResult.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectBindingPatternContextuallyTypesArgument.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectBindingPattern_restElementWithPropertyName.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectCreate.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectCreate2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectCreationOfElementAccessExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectFreeze.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectFreezeLiteralsDontWiden.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectIndexer.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectInstantiationFromUnionSpread.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLitGetterSetter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLitIndexerContextualType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLitPropertyScoping.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLitStructuralTypeMismatch.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLitTargetTypeCallSite.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteral1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteral2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralArraySpecialization.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralComputedNameNoDeclarationError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralEnumPropertyNames.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralExcessProperties.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralFreshnessWithSpread.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralFunctionArgContextualTyping.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralFunctionArgContextualTyping2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralIndexerErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralIndexerNoImplicitAny.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralIndexers.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/objectLiteralMemberWithModifiers1.ts 'public' modifier cannot be used here. Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/objectLiteralMemberWithModifiers2.ts 'public' modifier cannot be used here. Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/objectLiteralMemberWithQuestionMark1.ts Expected `,` but found `?` +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralParameterResolution.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralPropertyImplicitlyAny.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralReferencingInternalProperties.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralThisWidenedOnUse.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralWithGetAccessorInsideFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralWithNumericPropertyName.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralsAgainstUnionsOfArrays01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectRestBindingContextualInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectRestSpread.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectSpreadWithinMethodWithinObjectWithSpread.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/observableInferenceCanBeMade.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/omitTypeTestErrors01.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/omitTypeTests01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/operatorAddNullUndefined.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalAccessorsInInterface1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalChainWithInstantiationExpression2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalParamArgsTest.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalParameterInDestructuringWithInitializer.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalParameterProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalParameterRetainsNull.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalPropertiesTest.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalTupleElementsAndUndefined.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionsOutAndNoModuleGen.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/orderMattersForSignatureGroupIdentity.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/out-flag.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/out-flag3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/outModuleConcatCommonjs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/outModuleConcatES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/outModuleConcatUmd.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/outModuleTripleSlashRefs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/overEagerReturnTypeSpecialization.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/overload2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadAssignmentCompat.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadCrash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadGenericFunctionWithRestArgs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadModifiersMustAgree.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadOnConstInObjectLiteralImplementingAnInterface.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadResolutionOverNonCTLambdas.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadResolutionOverNonCTObjectLit.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadResolutionTest1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadedConstructorFixesInferencesAppropriately.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadsWithComputedNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadsWithConstraints.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadsWithProvisionalErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/overrideBaseIntersectionMethod.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/overshifts.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterDecoratorsEmitCrash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterDestructuringObjectLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterListAsTupleType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterNamesInTypeParameterList.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterPropertyInConstructor3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterPropertyInConstructor4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterPropertyInConstructorWithPrologues.ts @@ -1248,13 +2804,21 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterPropertyInitia Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterPropertyReferencingOtherParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterReferenceInInitializer1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/paramsOnlyHaveLiteralTypesWhenAppropriatelyContextualized.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/paramterDestrcuturingDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parenthesisDoesNotBlockAliasSymbolCreation.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/parenthesizedAsyncArrowFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/parenthesizedExpressionInternalComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parseEntityNameWithReservedWord.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parseInvalidNonNullableTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parseInvalidNullableTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/parseReplacementCharacter.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/parserConstructorDeclaration12.ts Type parameters cannot appear on a constructor declaration +Mismatch: tasks/coverage/typescript/tests/cases/compiler/partialDiscriminatedUnionMemberHasGoodError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/partialOfLargeAPIIsAbleToBeWorkedWith.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/partiallyDiscriminantedUnions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/pathMappingBasedModuleResolution3_classic.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/pathMappingBasedModuleResolution3_node.ts tasks/coverage/typescript/tests/cases/compiler/pathMappingBasedModuleResolution_rootImport_aliasWithRoot.ts Unexpected estree file content error: 2 != 3 @@ -1279,64 +2843,168 @@ Unexpected estree file content error: 2 != 3 tasks/coverage/typescript/tests/cases/compiler/pathMappingBasedModuleResolution_withExtension_MapedToNodeModules.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/performanceComparisonOfStructurallyIdenticalInterfacesWithGenericSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/pickOfLargeObjectUnionWorks.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/pinnedComments1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/potentiallyUncalledDecorators.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/predicateSemantics.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/prefixIncrementAsOperandOfPlusExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/prefixUnaryOperatorsOnExportedVariables.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/preserveConstEnums.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/prespecializedGenericMembers1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/primitiveUnionDetection.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCannotNameAccessorDeclFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCannotNameVarTypeDeclFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCheckAnonymousFunctionParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCheckAnonymousFunctionParameter2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCheckCallbackOfInterfaceMethodWithTypeParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCheckExportAssignmentOnExportedGenericInterface1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCheckExportAssignmentOnExportedGenericInterface2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCheckExternalModuleExportAssignmentOfGenericClass.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCheckOnTypeParameterReferenceInConstructorParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCheckTypeOfFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyClass.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyClassImplementsClauseDeclFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyFunctionCannotNameParameterTypeDeclFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyFunctionCannotNameReturnTypeDeclFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyFunctionParameterDeclFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyFunctionReturnTypeDeclFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyGetter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyGloFunc.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyGloImportParseErrors.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyImport.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/privacyImportParseErrors.ts 'export' modifier cannot be used here. +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyInterface.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyLocalInternalReferenceImportWithExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyLocalInternalReferenceImportWithoutExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTopLevelAmbientExternalModuleImportWithExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTopLevelAmbientExternalModuleImportWithoutExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTopLevelInternalReferenceImportWithExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTopLevelInternalReferenceImportWithoutExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTypeParameterOfFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTypeParameterOfFunctionDeclFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTypeParametersOfClass.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTypeParametersOfClassDeclFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTypeParametersOfInterface.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTypeParametersOfInterfaceDeclFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyVar.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyVarDeclFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privateFieldAssignabilityFromUnknown.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privatePropertyInUnion.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/privatePropertyUsingObjectType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseChaining.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseChaining1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseChaining2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseEmptyTupleNoException.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseIdentity.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseIdentity2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseIdentityWithAny.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseIdentityWithAny2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseIdentityWithConstraints.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/promisePermutations2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/promisePermutations3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseVoidErrorCallback.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseWithResolvers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/propTypeValidatorInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/propertyAccessExpressionInnerComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/propertyIdentityWithPrivacyMismatch.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/propertyOrdering2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/propertyParameterWithQuestionMark.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/propertySignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/protectedAccessThroughContextualThis.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/protectedMembers.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/protoAsIndexInIndexExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/quickinfoTypeAtReturnPositionsInaccurate.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/raiseErrorOnParameterProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ramdaToolsNoInfinite.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ramdaToolsNoInfinite2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reExportGlobalDeclaration1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reExportUndefined1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reachabilityChecks1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reachabilityChecks2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reachabilityChecks3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reachabilityChecks5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reachabilityChecks6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reachabilityChecks7.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactDefaultPropsInferenceSuccess.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactHOCSpreadprops.tsx tasks/coverage/typescript/tests/cases/compiler/reactImportDropped.ts Unexpected estree file content error: 1 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactImportUnusedInNewJSXEmit.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactNamespaceMissingDeclaration.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactReadonlyHOCAssignabilityReal.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactReduxLikeDeferredInferenceAllowsAssignment.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactSFCAndFunctionResolvable.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactTagNameComponentWithPropsNoOOM.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactTagNameComponentWithPropsNoOOM2.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactTransitiveImportHasValidDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/readonlyInDeclarationFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/readonlyMembers.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/readonlyPropertySubtypeRelationDirected.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/readonlyTupleAndArrayElaboration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveArrayNotCircular.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveBaseCheck2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveClassBaseType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveClassReferenceTest.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveConditionalCrash2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveConditionalCrash3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveConditionalCrash4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveConditionalTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveConditionalTypes2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveExcessPropertyChecks.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveExportAssignmentAndFindAliasedType1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveExportAssignmentAndFindAliasedType2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveExportAssignmentAndFindAliasedType3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveFieldSetting.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveGenericTypeHierarchy.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveInferenceBug.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveLetConst.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveMods.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveObjectLiteral.ts tasks/coverage/typescript/tests/cases/compiler/recursiveResolveDeclaredMembers.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveResolveTypeMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveReverseMappedType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveSpecializationOfSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveTupleTypeInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveTypeAliasWithSpreadConditionalReturnNotCircular.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveTypeComparison.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveTypeComparison2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveTypeRelations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursivelyExpandingUnionNoStackoverflow.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursivelySpecializedConstructorDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/redeclareParameterInCatchBlock.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reducibleIndexedAccessTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reexportDefaultIsCallable.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reexportNameAliasedAndHoisted.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reexportWrittenCorrectlyInDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reexportedMissingAlias.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/referenceSatisfiesExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/regexMatchAll-esnext.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/regexMatchAll.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/regexpExecAndMatchTypeUsages.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/regularExpressionCharacterClassRangeOrder.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/regularExpressionScanning.ts Unexpected flag a in regular expression literal Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/regularExpressionWithNonBMPFlags.ts Expected a semicolon or an implicit semicolon after a statement, but found none Mismatch: tasks/coverage/typescript/tests/cases/compiler/relatedViaDiscriminatedTypeNoError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/relationComplexityError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/renamingDestructuredPropertyInFunctionType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/renamingDestructuredPropertyInFunctionType2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/renamingDestructuredPropertyInFunctionType3.ts tasks/coverage/typescript/tests/cases/compiler/requireAsFunctionInExternalModule.ts Unexpected estree file content error: 1 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/requireEmitSemicolon.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/requireOfAnEmptyFile1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/requireOfJsonFileWithoutExtensionResolvesToTs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/requiredInitializedParameter1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/requiredMappedTypeModifierTrumpsVariance.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reservedWords.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/resolveInterfaceNameWithSameLetDeclarationName1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/resolveInterfaceNameWithSameLetDeclarationName2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/resolveModuleNameWithSameLetDeclarationName1.ts @@ -1345,6 +3013,7 @@ tasks/coverage/typescript/tests/cases/compiler/resolveNameWithNamspace.ts Unexpected estree file content error: 2 != 3 Mismatch: tasks/coverage/typescript/tests/cases/compiler/resolveTypeAliasWithSameLetDeclarationName1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/restArgAssignmentCompat.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restElementAssignable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restElementWithNumberPropertyName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restIntersection.ts @@ -1355,15 +3024,23 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/restParamModifie Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParamUsingMappedTypeOverUnionConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParameterAssignmentCompatibility.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParameterNoTypeAnnotation.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/restParameterNotLast.ts A rest parameter must be last in a parameter list Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParameterTypeInstantiation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParameterWithBindingPattern1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParameterWithBindingPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParameterWithBindingPattern3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParamsWithNonRestParams.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restTypeRetainsMappyness.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restUnion2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restUnion3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/returnInConstructor1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/returnTypeInferenceNotTooBroad.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/returnTypePredicateIsInstantiateInContextOfTarget.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/reuseInnerModuleMember.ts tasks/coverage/typescript/tests/cases/compiler/reuseTypeAnnotationImportTypeInGlobalThisTypeArgument.ts Unexpected estree file content error: 2 != 4 @@ -1382,12 +3059,30 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/reverseMappedTypeLimite Mismatch: tasks/coverage/typescript/tests/cases/compiler/reverseMappedTypePrimitiveConstraintProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reverseMappedTypeRecursiveInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reverseMappedUnionInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/satisfiesEmit.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/selfInLambdas.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/selfReferencingFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/selfReferencingFile2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/selfReferencingFile3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/setMethods.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/shadowedFunctionScopedVariablesByBlockScopedOnes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/shadowedReservedCompilerDeclarationsWithNoEmit.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/shadowingViaLocalValueOrBindingElement.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/shebang.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/shebangBeforeReferences.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthand-property-es5-es6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthand-property-es6-amd.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthand-property-es6-es6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthandOfExportedEntity01_targetES2015_CommonJS.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthandOfExportedEntity02_targetES5_CommonJS.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthandPropertyAssignmentInES6Module.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/shorthandPropertyAssignmentsInDestructuring.ts Invalid assignment in object literal Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/shorthandPropertyAssignmentsInDestructuring_ES6.ts Invalid assignment in object literal +Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthandPropertyUndefined.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/shouldNotPrintNullEscapesIntoOctalLiterals.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sideEffectImports1.ts tasks/coverage/typescript/tests/cases/compiler/sideEffectImports2.ts Unexpected estree file content error: 1 != 2 @@ -1395,8 +3090,16 @@ tasks/coverage/typescript/tests/cases/compiler/sideEffectImports4.ts Unexpected estree file content error: 1 != 3 Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureCombiningRestParameters1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureCombiningRestParameters2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureCombiningRestParameters3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureCombiningRestParameters4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureCombiningRestParameters5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureInstantiationWithRecursiveConstraints.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureOverloadsWithComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/silentNeverPropagation.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/simpleArrowFunctionParameterReferencedInObjectLiteral1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/simplifyingConditionalWithInteriorConditionalIsRelated.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/slightlyIndirectedDeepObjectLiteralElaborations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMap-Comment1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMap-Comments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMap-FileWithComments.ts @@ -1412,17 +3115,27 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDest Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForArrayBindingPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForArrayBindingPatternDefaultValues.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForArrayBindingPatternDefaultValues2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForObjectBindingPattern.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForObjectBindingPattern2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForObjectBindingPatternDefaultValues.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForObjectBindingPatternDefaultValues2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForOfArrayBindingPattern.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForOfArrayBindingPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForOfArrayBindingPatternDefaultValues.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForOfArrayBindingPatternDefaultValues2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForOfObjectBindingPattern.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForOfObjectBindingPattern2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForOfObjectBindingPatternDefaultValues.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForOfObjectBindingPatternDefaultValues2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringParameterNestedObjectBindingPattern.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringParameterNestedObjectBindingPatternDefaultValues.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringParameterObjectBindingPattern.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringParameterObjectBindingPatternDefaultValues.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringParametertArrayBindingPattern.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringParametertArrayBindingPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringParametertArrayBindingPatternDefaultValues.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatement.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatement1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementArrayBindingPattern.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementArrayBindingPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementArrayBindingPattern3.ts @@ -1432,22 +3145,66 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDest Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementArrayBindingPattern7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementArrayBindingPatternDefaultValues.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementArrayBindingPatternDefaultValues3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementDefaultValues.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementNestedObjectBindingPattern.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementNestedObjectBindingPatternWithDefaultValues.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementObjectBindingPattern1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementObjectBindingPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementObjectBindingPattern3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementObjectBindingPattern4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationEnums.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationExportAssignment.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationExportAssignmentCommonjs.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationFunctionPropertyAssignment.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationFunctions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationImport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationLabeled.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapWithCaseSensitiveFileNames.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapWithCaseSensitiveFileNamesAndOutDir.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapWithMultipleFilesWithCopyright.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapWithNonCaseSensitiveFileNames.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapWithNonCaseSensitiveFileNamesAndOutDir.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/specedNoStackBlown.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/specialIntersectionsInMappedTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/specializeVarArgs1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/specializedInheritedConstructors1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/specializedOverloadWithRestParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionGlobal1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionGlobal2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionGlobal3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionGlobal4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionJSXAttribute.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionLeadingUnderscores01.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadExpressionContainingObjectExpressionContextualType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadExpressionContextualType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadExpressionContextualTypeWithNamespace.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadIdenticalTypesRemoved.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadIntersection.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadInvalidArgumentType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadObjectNoCircular1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadObjectWithIndexDoesNotAddUndefinedToLocalIndex.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadOfObjectLiteralAssignableToIndexSignature.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadOfParamsFromGeneratorMakesRequiredParams.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadParameterTupleType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadTupleAccessedByTypeParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadTypeRemovesReadonly.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spuriousCircularityOnTypeImport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spyComparisonChecking.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/stackDepthLimitCastingType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/staticAnonymousTypeNotReferencingTypeParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/staticFieldWithInterfaceContext.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/staticGetter1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/staticGetter2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/staticInitializersAndLegacyClassDecorators.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/staticInstanceResolution3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/staticMethodReferencingTypeArgument1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/staticMethodWithTypeParameterExtendsClauseDeclFile.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/staticPrototypeProperty.ts Classes may not have a static property named prototype Mismatch: tasks/coverage/typescript/tests/cases/compiler/statics.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/stradac.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictFunctionTypesErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictModeEnumMemberNameReserved.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictModeReservedWord.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictModeReservedWord2.ts @@ -1459,10 +3216,21 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictModeUseContextual Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictModeWordInExportDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictModeWordInImportDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictNullEmptyDestructuring.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictNullLogicalAndOr.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictNullNotNullIndexTypeNoLib.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictNullNotNullIndexTypeShouldWork.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictOptionalProperties1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictOptionalProperties2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictSubtypeAndNarrowing.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/stringLiteralObjectLiteralDeclaration1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/stringLiteralPropertyNameWithLineContinuation1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/stringMappingAssignability.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/stringMatchAll.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/stringPropCodeGen.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/stringRawType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/stripMembersOptionality.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/structural1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/styleOptions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/styledComponentsInstantiaionLimitNotReached.ts tasks/coverage/typescript/tests/cases/compiler/subclassThisTypeAssignable01.ts Unexpected estree file content error: 1 != 2 @@ -1470,45 +3238,139 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/compiler/subclassThisTypeAssignable02.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/subclassWithPolymorphicThisIsAssignable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/substitutionTypeNoMergeOfAssignableType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/substitutionTypesInIndexedAccessTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/subtypeReductionUnionConstraints.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/super1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/super2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallArgsMustMatch.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallFromClassThatDerivesFromGenericTypeButWithIncorrectNumberOfTypeArguments1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallFromClassThatDerivesFromGenericTypeButWithNoTypeArguments1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallFromClassThatDerivesNonGenericTypeButWithTypeArguments1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallFromClassThatHasNoBaseType1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallInNonStaticMethod.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallInStaticMethod.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallInsideObjectLiteralExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallWithCommentEmit01.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/superInObjectLiterals_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/superInObjectLiterals_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/superNewCall1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/super_inside-object-literal-getters-and-setters.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/switchCaseCircularRefeference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/switchCaseInternalComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/switchCaseNarrowsMatchingClausesEvenWhenNonMatchingClausesExist.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/symbolLinkDeclarationEmitModuleNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symbolLinkDeclarationEmitModuleNamesImportRef.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symbolLinkDeclarationEmitModuleNamesRootDir.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/symbolObserverMismatchingPolyfillsWorkTogether.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symlinkedWorkspaceDependenciesNoDirectLinkGeneratesDeepNonrelativeName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symlinkedWorkspaceDependenciesNoDirectLinkGeneratesNonrelativeName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symlinkedWorkspaceDependenciesNoDirectLinkOptionalGeneratesNonrelativeName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symlinkedWorkspaceDependenciesNoDirectLinkPeerGeneratesNonrelativeName.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/syntheticDefaultExportsWithDynamicImports.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemDefaultExportCommentValidity.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemDefaultImportCallable.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemJsForInNoException.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule10.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule10_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule11.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule12.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule13.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule14.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule15.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule16.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule8.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule9.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleAmbientDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleConstEnums.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleConstEnumsSeparateCompilation.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleDeclarationMerging.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleExportDefault.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleNonTopLevelModuleMembers.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleTargetES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleTrailingComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemNamespaceAliasEmit.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemObjectShorthandRename.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringWithSymbolExpression01.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsHexadecimalEscapes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsHexadecimalEscapesES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsWithCurriedFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsWithMultilineTemplate.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsWithMultilineTemplateES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsWithUnicodeEscapes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsWithUnicodeEscapesES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsWithWhitespaceEscapes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsWithWhitespaceEscapesES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateWithoutDeclaredHelper.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplatesInDifferentScopes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplatesInModuleAndGlobal.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tailRecursiveConditionalTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/targetTypeObjectLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/targetTypeObjectLiteralToAny.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/targetTypeTest1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/targetTypeTest2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/targetTypeTest3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateExpressionAsPossiblyDiscriminantValue.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateExpressionNoInlininingOfConstantBindingWithInitializer.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateLiteralConstantEvaluation.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateLiteralIntersection.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateLiteralIntersection2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateLiteralIntersection3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateLiteralIntersection4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateLiteralsAndDecoratorMetadata.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateLiteralsInTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateLiteralsSourceMap.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateStringsArrayTypeDefinedInES5Mode.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateStringsArrayTypeNotDefinedES5Mode.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateStringsArrayTypeRedefinedInES6Mode.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/testContainerList.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisBinding.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisBinding2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisConditionalOnMethodReturnOfGenericInstance.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInAccessors.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInClassBodyStaticESNext.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInConstructorParameter2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInGenericStaticMembers.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInPropertyBoundDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInSuperCall.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInSuperCall1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInTupleTypeParameterConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInTypeQuery.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisPredicateInObjectLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/this_inside-enum-should-not-be-allowed.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/this_inside-object-literal-getters-and-setters.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/topFunctionTypeNotCallable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/topLevel.ts tasks/coverage/typescript/tests/cases/compiler/topLevelBlockExpando.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/topLevelExports.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/topLevelLambda4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/trackedSymbolsNoCrash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/trailingCommasES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/transformArrowInBlockScopedLoopVarInitializer.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/transformNestedGeneratorsWithTry.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/transformParenthesizesConditionalSubexpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tripleSlashInCommentNotParsed.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tripleSlashReferenceAbsoluteWindowsPath.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tripleSlashTypesReferenceWithMissingExports.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/trivialSubtypeReductionNoStructuralCheck.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/trivialSubtypeReductionNoStructuralCheck2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/truthinessCallExpressionCoercion.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/truthinessCallExpressionCoercion1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/truthinessCallExpressionCoercion2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/truthinessCallExpressionCoercion3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tryCatchFinallyControlFlow.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tryStatementInternalComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsconfigMapOptionsAreCaseInsensitive.ts tasks/coverage/typescript/tests/cases/compiler/tslibMissingHelper.ts Unexpected estree file content error: 3 != 4 @@ -1524,61 +3386,237 @@ Unexpected estree file content error: 1 != 3 tasks/coverage/typescript/tests/cases/compiler/tslibReExportHelpers2.ts Unexpected estree file content error: 1 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxAttributeQuickinfoTypesSameAsObjectLiteral.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxAttributesHasInferrableIndex.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxDeepAttributeAssignabilityError.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxDefaultImports.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxDiscriminantPropertyInference.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxInferenceShouldNotYieldAnyOnUnions.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxInvokeComponentType.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxNoTypeAnnotatedSFC.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxNotUsingApparentTypeOfSFC.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxReactPropsInferenceSucceedsOnIntersections.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxSpreadDoesNotReportExcessProps.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxStatelessComponentDefaultProps.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxUnionMemberChecksFilterDataProps.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxUnionSpread.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/tupleTypeInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/tupleTypeInference2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/twiceNestedKeyofIndexInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAliasDeclarationEmit.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAliasDeclarationEmit2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAliasExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAliasFunctionTypeSharedSymbol.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAnnotationBestCommonTypeInArrayLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeArgInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeArgInference2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeArgInferenceWithNull.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeArgumentDefaultUsesConstraintOnCircularDefault.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAssertionToGenericFunctionType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAssignabilityErrorMessage.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeCheckObjectLiteralMethodBody.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeComparisonCaching.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeConstraintsWithConstructSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardConstructorClassAndNumber.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardConstructorDerivedClass.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardConstructorNarrowAny.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardConstructorNarrowPrimitivesInUnion.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardConstructorPrimitiveTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowByMutableUntypedField.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowByUntypedField.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowsIndexedAccessOfKnownProperty1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowsIndexedAccessOfKnownProperty11.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowsIndexedAccessOfKnownProperty12.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowsIndexedAccessOfKnownProperty5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowsIndexedAccessOfKnownProperty6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowsIndexedAccessOfKnownProperty7.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardOnContainerTypeNoHang.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInfer1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInferenceCacheInvalidation.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInferenceFBoundedTypeParams.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInferenceLiteralUnion.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInferenceWithExcessProperties.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInferenceWithExcessPropertiesJsx.tsx +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInterfaceDeclarationsInBlockStatements1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeMatch2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeNamedUndefined1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeNamedUndefined2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeOfEnumAndVarRedeclarations.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeOfOnTypeArg.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeOfYieldWithUnionInContextualReturnType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeParameterCompatibilityAccrossDeclarations.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeParameterConstraintInstantiation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeParameterExtendsPrimitive.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeParameterFixingWithConstraints.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeParameterLeak.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePartameterConstraintInstantiatedWithDefaultWhenCheckingDefault.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateAcceptingPartialOfRefinedType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateFreshLiteralWidening.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateInLoop.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateInherit.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateStructuralMatch.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateTopLevelTypeParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateWithThisParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicatesCanNarrowByDiscriminant.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicatesInUnion3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicatesOptionalChaining1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives10.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives11.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives12.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives13.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives3.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives4.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives5.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives7.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives8.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives9.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeResolution.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeVal.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeVariableConstraintIntersections.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeVariableConstraintedToAliasNotAssignableToUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeVariableTypeGuards.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typecheckIfCondition.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typedArrayConstructorOverloads.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typedArrays.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typedArraysCrossAssignability01.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofAmbientExternalModules.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofImportInstantiationExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofInterface.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofObjectInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofThisInMethodSignature.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofUnknownSymbol.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofUsedBeforeBlockScoped.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdDependencyComment2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdDependencyCommentName1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdDependencyCommentName2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdGlobalAugmentationNoCrash.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdGlobalConflict.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdNamedAmdMode.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdNamespaceMergedWithGlobalAugmentationIsNotCircular.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unaryPlus.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/uncaughtCompilerError1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/undeclaredModuleError.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/undeclaredVarEmit.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/undefinedArgumentInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/undefinedAssignableToGenericMappedIntersection.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/undefinedSymbolReferencedInArrayLiteral1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/undefinedTypeArgument2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/underscoreEscapedNameInEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/underscoreTest1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/underscoreThisInDerivedClass01.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/underscoreThisInDerivedClass02.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionCallMixedTypeParameterPresence.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionErrorMessageOnMatchingDiscriminant.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionExcessPropertyCheckNoApparentPropTypeMismatchErrors.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionExcessPropsWithPartialMember.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionOfClassCalls.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionOfEnumInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionPropertyOfProtectedAndIntersectionProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionReductionMutualSubtypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionReductionWithStringMappingAndIdenticalBaseTypeExistsNoCrash.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionSignaturesWithThisParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionSubtypeReductionErrors.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionTypeParameterInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionTypeWithIndexAndMethodSignature.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionTypeWithIndexedLiteralType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionTypeWithLeadingOperator.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionWithIndexSignature.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/uniqueSymbolAllowsIndexInObjectWithIndexSignature.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/uniqueSymbolAssignmentOnGlobalAugmentationSuceeds.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/uniqueSymbolPropertyDeclarationEmit.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unknownLikeUnionObjectFlagsNotPropagated.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unknownPropertiesAreAssignableToObjectUnion.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unmatchedParameterPositions.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unmetTypeConstraintInImportCall.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unreachableDeclarations.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unresolvableSelfReferencingAwaitedUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unspecializedConstraints.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/untypedFunctionCallsWithTypeParameters1.ts tasks/coverage/typescript/tests/cases/compiler/untypedModuleImport_withAugmentation2.ts Unexpected estree file content error: 2 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedDestructuring.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedDestructuringParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedImportDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedImportWithSpread.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedImports11.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedImports12.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedImports6.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedImports7.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedImports_entireImportDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedInvalidTypeArguments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsAndObjectSpread.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsAndObjectSpread2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsAndParametersDeferred.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsAndParametersOverloadSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsAndParametersTypeAliases.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsAndParametersTypeAliases2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsInMethod4.ts Missing initializer in const declaration +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsInRecursiveReturn.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsStartingWithUnderscore.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedParameterProperty1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedParameterProperty2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedParametersWithUnderscore.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedSetterInClass2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedTypeParameters9.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedVariablesWithUnderscoreInBindingElement.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedVariablesinModules1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/unwitnessedTypeParameterVariance.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/useBeforeDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/useBeforeDeclaration_classDecorators.1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/useBeforeDeclaration_classDecorators.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/useBeforeDeclaration_destructuring.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/useBeforeDeclaration_propertyAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/useBeforeDefinitionInDeclarationFiles.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/useStrictLikePrologueString01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/usingModuleWithExportImportInValuePosition.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/validUseOfThisInSuper.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/valueOfTypedArray.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/varArgConstructorMemberParameter.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/compiler/varArgParamTypeCheck.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/varArgsOnConstructorTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/vararg.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/vardecl.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/variableDeclarationDeclarationEmitUniqueSymbolPartialStatement.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/variableDeclaratorResolvedDuringContextualTyping.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceAnnotationValidation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceCallbacksAndIndexedAccesses.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceCantBeStrictWhileStructureIsnt.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceMeasurement.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceProblingAndZeroOrderIndexSignatureRelationsAlign.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceProblingAndZeroOrderIndexSignatureRelationsAlign2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceRepeatedlyPropegatesWithUnreliableFlag.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/verbatim-declarations-parameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/verbatimModuleSyntaxDefaultValue.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/visibilityOfCrossModuleTypeUsage.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/visibilityOfTypeParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/voidAsNonAmbiguousReturnType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/voidReturnIndexUnionInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/voidUndefinedReduction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/vueLikeDataAndPropsInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/vueLikeDataAndPropsInference2.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/weakType.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/webworkerIterable.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/whileStatementInnerComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/widenToAny1.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/widenedTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/widenedTypes1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/withExportDecl.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/withImportDecl.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/withStatementInternalComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/compiler/yieldInForInInDownlevelGenerator.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/yieldStringLiteral.ts A 'yield' expression is only allowed in a generator body. +Mismatch: tasks/coverage/typescript/tests/cases/conformance/Symbols/ES5SymbolProperty1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientDeclarations.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientDeclarationsExternal.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientDeclarationsPatterns.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientEnumDeclaration1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientEnumDeclaration2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientExternalModuleInsideNonAmbient.ts @@ -1590,8 +3628,11 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientShort Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientShorthand_duplicate.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientShorthand_merging.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientShorthand_reExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/asyncFunctionDeclarationParameterEvaluation.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es2017/asyncArrowFunction/asyncArrowFunction5_es2017.ts Cannot use `await` as an identifier in an async context +Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es2017/asyncAwaitIsolatedModules_es2017.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es2017/asyncAwait_es2017.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es2017/asyncMethodWithSuperConflict_es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es2017/asyncMethodWithSuper_es2017.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es2017/await_incorrectThisType.ts @@ -1602,8 +3643,13 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es2017/ Cannot use `await` as an identifier in an async context Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es2017/functionDeclarations/asyncFunctionDeclaration5_es2017.ts Cannot use `await` as an identifier in an async context +Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es2017/functionDeclarations/asyncFunctionDeclaration8_es2017.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es5/asyncArrowFunction/asyncArrowFunction11_es5.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es5/asyncArrowFunction/asyncArrowFunction5_es5.ts Cannot use `await` as an identifier in an async context +Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es5/asyncAwaitIsolatedModules_es5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es5/asyncAwaitNestedClasses_es5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es5/asyncAwait_es5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es5/asyncMethodWithSuper_es5.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es5/functionDeclarations/asyncFunctionDeclaration12_es5.ts Cannot use `await` as an identifier in an async context @@ -1612,8 +3658,11 @@ Unexpected estree file content error: 1 != 2 Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es5/functionDeclarations/asyncFunctionDeclaration5_es5.ts Cannot use `await` as an identifier in an async context +Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es5/functionDeclarations/asyncFunctionDeclaration8_es5.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es6/asyncArrowFunction/asyncArrowFunction5_es6.ts Cannot use `await` as an identifier in an async context +Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es6/asyncAwaitIsolatedModules_es6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es6/asyncAwait_es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es6/asyncMethodWithSuper_es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es6/asyncWithVarShadowing_es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es6/await_unaryExpression_es6.ts @@ -1623,18 +3672,39 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es6/fun Cannot use `await` as an identifier in an async context Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es6/functionDeclarations/asyncFunctionDeclaration5_es6.ts Cannot use `await` as an identifier in an async context +Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es6/functionDeclarations/asyncFunctionDeclaration8_es6.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es6/functionDeclarations/asyncOrYieldAsBindingIdentifier1.ts Cannot use `await` as an identifier in an async context +Mismatch: tasks/coverage/typescript/tests/cases/conformance/asyncGenerators/asyncGeneratorGenericNonWrappedReturn.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/asyncGenerators/asyncGeneratorParameterEvaluation.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/asyncGenerators/asyncGeneratorPromiseNextType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/classAbstractKeyword/classAbstractInstantiations1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/classBody/classWithEmptyBody.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/classHeritageSpecification/classExtendingOptionalChain.ts Expected `{` but found `?.` +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/classHeritageSpecification/constructorFunctionTypeIsAssignableToBaseType2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/classWithPredefinedTypesAsNames.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/modifierOnClassDeclarationMemberInFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/classWithStaticFieldInParameterBindingPattern.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/classWithStaticFieldInParameterBindingPattern.3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/classWithStaticFieldInParameterBindingPattern.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/classWithStaticFieldInParameterInitializer.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/classWithStaticFieldInParameterInitializer.3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/classWithStaticFieldInParameterInitializer.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/genericClassExpressionInFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/modifierOnClassExpressionMemberInFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlock17.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlock22.ts Cannot use `await` as an identifier in an async context +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlock24.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlock27.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlock7.ts A 'yield' expression is only allowed in a generator body. +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlock8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlockUseBeforeDef4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlockUseBeforeDef5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/automaticConstructors/derivedClassWithoutExplicitConstructor3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/classConstructorAccessibility.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/classConstructorAccessibility2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/classConstructorAccessibility3.ts @@ -1650,32 +3720,54 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorD Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/constructorParameters/readonlyInConstructorParameters.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/constructorParameters/readonlyReadonly.ts readonly' modifier already seen. +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/constructorWithAssignableReturnExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/constructorWithExpressionLessReturn.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/quotedConstructors.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/derivedClassConstructorWithoutSuperCall.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/derivedClassParameterProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/derivedClassSuperCallsWithThisArg.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/derivedClassSuperProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/derivedClassSuperStatementPosition.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/emitStatementsBeforeSuperCall.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/emitStatementsBeforeSuperCallWithDefineFields.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/superCallInConstructorWithNoBaseType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/indexMemberDeclarations/staticIndexers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/privateClassPropertyAccessibleWithinClass.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/privateClassPropertyAccessibleWithinNestedClass.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/privateProtectedMembersAreNotAccessibleDestructuring.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/privateStaticNotAccessibleInClodule.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/privateStaticNotAccessibleInClodule2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/protectedClassPropertyAccessibleWithinClass.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/protectedClassPropertyAccessibleWithinNestedClass.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/protectedClassPropertyAccessibleWithinSubclass.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/protectedStaticNotAccessibleInClodule.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/classTypes/instancePropertiesInheritedIntoClassType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/classTypes/instancePropertyInClassType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/classTypes/staticPropertyNotInClassType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/constructorFunctionTypes/classWithStaticMembers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/inheritanceAndOverriding/derivedClassTransitivity.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/inheritanceAndOverriding/derivedClassTransitivity2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/inheritanceAndOverriding/derivedClassTransitivity3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/inheritanceAndOverriding/derivedClassTransitivity4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/instanceAndStaticMembers/superInStaticMembers1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/instanceAndStaticMembers/thisAndSuperInStaticMembers1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/instanceAndStaticMembers/thisAndSuperInStaticMembers2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/instanceAndStaticMembers/typeOfThisInStaticMembers5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/instanceAndStaticMembers/typeOfThisInstanceMemberNarrowedWithLoopAntecedent.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameAccessorsCallExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameAndObjectRestSpread.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameAndPropertySignature.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameBadDeclaration.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameComputedPropertyName1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameComputedPropertyName4.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameConstructorReserved.ts Classes can't have an element named '#constructor' Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameEmitHelpers.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameEnum.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameFieldCallExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameFieldDestructuredBinding.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameInObjectLiteral-1.ts Unexpected token @@ -1684,37 +3776,82 @@ Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameInObjectLiteral-3.ts Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameMethodAssignment.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameMethodCallExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameStaticAccessorsAccess.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameStaticAccessorsCallExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameStaticEmitHelpers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameStaticFieldCallExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameStaticFieldDestructuredBinding.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameStaticMethodAssignment.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameStaticMethodCallExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameUnused.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNamesUnique-2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNamesUnique-5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateWriteOnlyAccessorRead.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/methodDeclarations/optionalMethodDeclarations.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/mixinAbstractClasses.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/mixinAbstractClasses.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/mixinAbstractClassesReturnTypeInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/mixinAccessModifiers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/mixinClassesAnnotated.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/mixinClassesAnonymous.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/mixinClassesMembers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/mixinWithBaseDependingOnSelfNoCrash1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/accessorsOverrideProperty2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/accessorsOverrideProperty8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/accessorsOverrideProperty9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/assignParameterPropertyToPropertyDeclarationES2022.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/assignParameterPropertyToPropertyDeclarationESNext.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor10.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor11.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor7.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessorAllowedModifiers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessorExperimentalDecorators.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessorNoUseDefineForClassFields.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/constructorParameterShadowsOuterScopes.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/constructorParameterShadowsOuterScopes2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/defineProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/initializationOrdering1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/initializerReferencingConstructorLocals.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/initializerReferencingConstructorParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/instanceMemberInitialization.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/instanceMemberWithComputedPropertyName.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/instanceMemberWithComputedPropertyName2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/memberAccessorDeclarations/accessorWithES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/memberAccessorDeclarations/accessorsAreNotContextuallyTyped.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/memberAccessorDeclarations/ambientAccessors.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/memberAccessorDeclarations/typeOfThisInAccessor.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/memberFunctionDeclarations/derivedTypeAccessesHiddenBaseCallViaSuperPropertyAccess.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/propertyNamedConstructor.ts Classes can't have a field named 'constructor' Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/propertyNamedPrototype.ts Classes may not have a static property named prototype +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/propertyOverridesAccessors2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/propertyOverridesAccessors5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/redefinedPararameterProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/staticAutoAccessors.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/staticAutoAccessorsWithDecorators.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/staticPropertyNameConflicts.ts Classes may not have a static property named prototype +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/staticPropertyNameConflictsInAmbientContext.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/strictPropertyInitialization.ts tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/thisPropertyOverridesAccessors.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/twoAccessorsWithSameName.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnum1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnum2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnum3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnum4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnumNoObjectPrototypePropertyAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnumPropertyAccess1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnumPropertyAccess2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnumPropertyAccess3.ts @@ -1723,35 +3860,91 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/controlFlow/a Expected `,` but found `is` Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowAliasing.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowAssignmentPatternOrder.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowBinaryOrExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowBindingElement.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowBindingPatternOrder.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowDeleteOperator.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowDestructuringDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowElementAccess.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowElementAccessNoCrash1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowGenericTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowInOperator.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowInstanceofExtendsFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowIterationErrorsAsync.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowNoIntermediateErrors.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowNullishCoalesce.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowOptionalChain.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowOptionalChain3.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowWithTemplateLiterals.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/dependentDestructuredVariables.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/dependentDestructuredVariablesFromNestedPatterns.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/dependentDestructuredVariablesWithExport.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/exhaustiveSwitchStatements1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/neverReturningFunctions1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/switchWithConstrainedTypeVariable.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/typeGuardsAsAssertions.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/typeGuardsTypeParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/declarationEmitWorkWithInlineComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/exportDefaultExpressionComments.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/exportDefaultNamespace.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/libReferenceDeclarationEmit.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/libReferenceDeclarationEmitBundle.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/libReferenceNoLib.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/libReferenceNoLibBundle.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typePredicates/declarationEmitIdentifierPredicates01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typePredicates/declarationEmitIdentifierPredicatesWithPrivateName01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typePredicates/declarationEmitThisPredicates01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typePredicates/declarationEmitThisPredicates02.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typePredicates/declarationEmitThisPredicatesWithPrivateName01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typePredicates/declarationEmitThisPredicatesWithPrivateName02.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typeReferenceRelatedFiles.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typeofImportTypeOnlyExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/1.0lib-noErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/constructor/decoratorOnClassConstructor2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/constructor/decoratorOnClassConstructor3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/constructor/decoratorOnClassConstructor4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/constructor/parameter/decoratorOnClassConstructorParameter5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratedBlockScopedClass1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratedBlockScopedClass2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratedBlockScopedClass3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratedClassExportsCommonJS1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratedClassExportsCommonJS2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratedClassExportsSystem1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratedClassExportsSystem2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratedClassFromExternalModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratorChecksFunctionBodies.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratorInstantiateModulesInFunctionBodies.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratorOnClass2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratorOnClass3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/method/decoratorOnClassMethod19.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/method/parameter/decoratorOnClassMethodParameter3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/property/decoratorOnClassProperty12.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/property/decoratorOnClassProperty13.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/decorators/decoratorMetadata-jsdoc.ts Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/decoratorMetadata.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/decoratorMetadataWithTypeOnlyImport.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/legacyDecorators-contextualTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/directives/ts-expect-error-nocheck.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/directives/ts-expect-error.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/directives/ts-ignore.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpression1ES2020.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpression2ES2020.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpression3ES2020.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpression4ES2020.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpression5ES2020.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpression6ES2020.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES2020.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES5AMD.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES5CJS.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES5System.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES5UMD.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES6AMD.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES6CJS.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES6System.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES6UMD.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionDeclarationEmit1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionES5AMD.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionES5CJS.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionES5System.ts @@ -1778,9 +3971,26 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/import Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionInUMD3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionInUMD4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionInUMD5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedAMD.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedAMD2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedCJS.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedCJS2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedES2015.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedES20152.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedES2020.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedES20202.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedSystem.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedSystem2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedUMD.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedUMD2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNoModuleKindSpecified.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionReturnPromiseOfAny.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionShouldNotGetParen.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionWithTypeArgument.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/conformance/emitter/es2015/asyncGenerators/emitter.asyncGenerators.objectLiteralMethods.es2015.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/emitter/es2018/asyncGenerators/emitter.asyncGenerators.objectLiteralMethods.es2018.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/emitter/es5/asyncGenerators/emitter.asyncGenerators.objectLiteralMethods.es5.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/enums/awaitAndYield.ts `await` is only allowed within async functions and at the top levels of modules Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumBasics.ts @@ -1795,13 +4005,66 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumExportMerg Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumMerging.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumMergingErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumShadowedInfinityNaN.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2016/es2016IntlAPIs.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2017/useObjectValuesAndEntries1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2017/useObjectValuesAndEntries2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2017/useObjectValuesAndEntries3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2017/useObjectValuesAndEntries4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2018/es2018IntlAPIs.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2019/allowUnescapedParagraphAndLineSeparatorsInStringLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2019/globalThisGlobalExportAsGlobal.ts tasks/coverage/typescript/tests/cases/conformance/es2019/globalThisVarDeclaration.ts Unexpected estree file content error: 1 != 2 -Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es2019/importMeta/importMeta.ts -The only valid meta property for import is import.meta +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2019/importMeta/importMeta.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2019/importMeta/importMetaNarrowing.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2020/constructBigint.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2020/es2020IntlAPIs.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2020/intlNumberFormatES2020.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2020/modules/exportAsNamespace3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2020/modules/exportAsNamespace4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2020/modules/exportAsNamespace_nonExistent.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2021/logicalAssignment/logicalAssignment10.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2022/arbitraryModuleNamespaceIdentifiers/arbitraryModuleNamespaceIdentifiers_exportEmpty.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2022/arbitraryModuleNamespaceIdentifiers/arbitraryModuleNamespaceIdentifiers_importEmpty.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2022/arbitraryModuleNamespaceIdentifiers/arbitraryModuleNamespaceIdentifiers_module.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2022/es2022IntlAPIs.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2022/es2024SharedMemory.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2023/intlNumberFormatES2023.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2023/intlNumberFormatES5UseGrouping.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2024/resizableArrayBuffer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2024/sharedMemory.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolDeclarationEmit10.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolDeclarationEmit8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolDeclarationEmit9.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty18.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty19.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty20.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty21.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty22.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty28.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty29.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty30.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty31.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty32.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty33.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty34.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty36.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty52.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty53.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty54.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty55.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty56.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty57.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty58.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty60.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty61.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolType19.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolType20.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/arrowFunction/disallowLineTerminatorBeforeArrow.ts Line terminator not permitted before arrow @@ -1870,12 +4133,14 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithGetterSetterInES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithLiteralPropertyNameInES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithMethodInES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithPropertyAccessInHeritageClause1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithPropertyAssignmentInES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithStaticPropertyAssignmentInES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithSuperMethodCall01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithThisKeywordInES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithTypeArgumentAndOverloadInES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithTypeArgumentInES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/exportDefaultClassWithStaticPropertyAssignmentsInES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/parseClassDeclarationInStrictModeByDefaultInES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/superCallBeforeThisAccessing1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/superCallBeforeThisAccessing2.ts @@ -1885,18 +4150,104 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/superCallBeforeThisAccessing6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/superCallBeforeThisAccessing7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/superCallBeforeThisAccessing8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames10_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames10_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames11_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames11_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames12_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames12_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames13_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames13_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames16_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames16_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames18_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames18_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames19_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames19_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames1_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames1_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames20_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames20_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames22_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames22_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames23_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames23_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames25_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames25_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames26_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames26_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames28_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames28_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames29_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames29_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames30_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames30_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames31_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames31_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames33_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames33_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames34_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames34_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames46_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames46_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames47_ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames47_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames48_ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames48_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames49_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames49_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames4_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames4_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames50_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames50_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames51_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames51_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames5_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames5_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames6_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames6_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames7_ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames7_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames8_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames8_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames9_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames9_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType10_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType10_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType1_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType1_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType2_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType2_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType3_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType3_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType4_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType4_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType5_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType5_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType6_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType6_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType7_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType7_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType8_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType8_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType9_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType9_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesDeclarationEmit5_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesDeclarationEmit5_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesDeclarationEmit6_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesDeclarationEmit6_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesSourceMap2_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesSourceMap2_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/accessor/decoratorOnClassAccessor1.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/decoratorOnClass2.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/decoratorOnClass3.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/decoratorOnClass4.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/decoratorOnClass6.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/decoratorOnClass7.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/decoratorOnClass8.es6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/method/decoratorOnClassMethod1.es6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/method/parameter/decoratorOnClassMethodParameter1.es6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/property/decoratorOnClassProperty1.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/defaultParameters/emitDefaultParametersFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/defaultParameters/emitDefaultParametersFunctionES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/defaultParameters/emitDefaultParametersFunctionExpression.ts @@ -1906,6 +4257,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/defaultParameter Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/defaultParameters/emitDefaultParametersMethod.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/defaultParameters/emitDefaultParametersMethodES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/arrayAssignmentPatternWithAny.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/declarationInAmbientContext.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/declarationWithNoInitializer.ts Missing initializer in destructuring declaration Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/declarationsAndAssignments.ts @@ -1913,13 +4265,23 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/de Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringArrayBindingPatternAndAssignment1ES5iterable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringArrayBindingPatternAndAssignment1ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringArrayBindingPatternAndAssignment2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringArrayBindingPatternAndAssignment4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringArrayBindingPatternAndAssignment5SiblingInitializer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringAssignabilityCheck.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringCatch.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringControlFlow.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringEvaluationOrder.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringInFunctionType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectAssignmentPatternWithNestedSpread.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectBindingPatternAndAssignment1ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectBindingPatternAndAssignment1ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectBindingPatternAndAssignment4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectBindingPatternAndAssignment5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectBindingPatternAndAssignment6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectBindingPatternAndAssignment7.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectBindingPatternAndAssignment8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectBindingPatternAndAssignment9SiblingInitializer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterDeclaration10.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterDeclaration1ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterDeclaration1ES5iterable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterDeclaration1ES6.ts @@ -1931,6 +4293,7 @@ A rest parameter cannot be optional Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterDeclaration5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterDeclaration7ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterDeclaration7ES5iterable.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterDeclaration8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterProperties1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterProperties2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterProperties3.ts @@ -1938,10 +4301,21 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/de Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterProperties5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringReassignsRightHandSide.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringSameNames.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringSpread.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringTypeAssertionsES5_1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringTypeAssertionsES5_2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringTypeAssertionsES5_3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringTypeAssertionsES5_4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringTypeAssertionsES5_5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringTypeAssertionsES5_6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringTypeAssertionsES5_7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringVariableDeclaration1ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringVariableDeclaration1ES5iterable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringVariableDeclaration1ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringVariableDeclaration2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringVoid.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringVoidStrictNullChecks.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringWithLiteralInitializers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns01_ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns01_ES5iterable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns01_ES6.ts @@ -1954,25 +4328,45 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/em Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns04_ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns04_ES5iterable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns04_ES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyObjectBindingPatternParameter04.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyVariableDeclarationBindingPatterns01_ES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyVariableDeclarationBindingPatterns01_ES5iterable.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyVariableDeclarationBindingPatterns01_ES6.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyVariableDeclarationBindingPatterns02_ES5.ts Missing initializer in destructuring declaration Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyVariableDeclarationBindingPatterns02_ES5iterable.ts Missing initializer in destructuring declaration Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyVariableDeclarationBindingPatterns02_ES6.ts Missing initializer in destructuring declaration +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern10.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern11.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern12.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern13.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern14.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern15.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern16.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern17.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern18.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern19.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern20.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern21.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern22.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern23.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern24.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern25.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern26.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern27.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern28.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern29.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/missingAndExcessProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/nonIterableRestElement1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/nonIterableRestElement2.ts @@ -2055,18 +4449,62 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/functionD Cannot use `yield` as an identifier in a generator context Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/functionDeclarations/FunctionDeclaration5_es6.ts Cannot use `yield` as an identifier in a generator context +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/functionDeclarations/FunctionDeclaration8_es6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/functionDeclarations/FunctionDeclaration9_es6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/functionPropertyAssignments/FunctionPropertyAssignments1_es6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/functionPropertyAssignments/FunctionPropertyAssignments5_es6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsAmd/anonymousDefaultExportsAmd.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsAmd/decoratedDefaultExportsGetExportedAmd.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsAmd/defaultExportsGetExportedAmd.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsAmd/outFilerootDirModuleNamesAmd.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsCommonjs/anonymousDefaultExportsCommonjs.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsCommonjs/decoratedDefaultExportsGetExportedCommonjs.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsCommonjs/defaultExportsGetExportedCommonjs.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsSystem/anonymousDefaultExportsSystem.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsSystem/decoratedDefaultExportsGetExportedSystem.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsSystem/defaultExportsGetExportedSystem.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsSystem/outFilerootDirModuleNamesSystem.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsSystem/topLevelVarHoistingCommonJS.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsSystem/topLevelVarHoistingSystem.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsUmd/anonymousDefaultExportsUmd.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsUmd/decoratedDefaultExportsGetExportedUmd.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsUmd/defaultExportsGetExportedUmd.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/defaultExportInAwaitExpression01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/defaultExportInAwaitExpression02.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/defaultExportWithOverloads01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/defaultExportsCannotMerge01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/defaultExportsCannotMerge02.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/defaultExportsCannotMerge03.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/defaultExportsCannotMerge04.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportAndImport-es5-amd.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportAndImport-es5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportBinding.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportStar-amd.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportStar.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports1-amd.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports1-es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports3-amd.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports3-es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports4-amd.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports4-es6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImportsWithContextualKeywordNames01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImportsWithContextualKeywordNames02.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImportsWithUnderscores2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImportsWithUnderscores3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/importEmptyFromModuleNotExisted.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/multipleDefaultExports01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/multipleDefaultExports02.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/multipleDefaultExports03.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/multipleDefaultExports04.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/multipleDefaultExports05.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/reExportDefaultExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/newTarget/invalidNewTarget.es5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/newTarget/invalidNewTarget.es6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/newTarget/newTarget.es5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/newTarget/newTarget.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersFunctionES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersFunctionExpression.ts @@ -2075,12 +4513,41 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/e Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersFunctionPropertyES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersMethod.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersMethodES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/readonlyRestParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesAssignmentES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesAssignmentError.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesAssignmentErrorFromMissingIdentifier.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesErrorFromNoneExistingIdentifier.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesFunctionArgument.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesFunctionArgument2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesWithModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesWithModuleES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/arraySpreadImportHelpers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/arraySpreadInCall.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray7.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray9.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall10.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall11.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall12.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall7.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateStringsPlainCharactersThatArePartsOfEscapes01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateStringsPlainCharactersThatArePartsOfEscapes01_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateStringsPlainCharactersThatArePartsOfEscapes02.ts @@ -2105,6 +4572,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/tagged Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateStringsWithTypeErrorInFunctionExpressionsInSubstitutionExpressionES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateStringsWithTypedTags.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateStringsWithTypedTagsES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateUntypedTagCall01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateWithConstructableTag01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateWithConstructableTag02.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplatesWithTypeArguments1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringBinaryOperations.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringBinaryOperationsES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringBinaryOperationsES6Invalid.ts @@ -2129,6 +4600,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templa Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringInDivision.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringInEqualityChecks.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringInEqualityChecksES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringInFunctionExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringInFunctionExpressionES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringInInOperator.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringInInOperatorES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringInIndexExpression.ts @@ -2199,6 +4672,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templa Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringWithEmbeddedConditionalES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringWithEmbeddedDivision.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringWithEmbeddedDivisionES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringWithEmbeddedFunctionExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringWithEmbeddedFunctionExpressionES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringWithEmbeddedInOperator.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringWithEmbeddedInOperatorES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringWithEmbeddedInstanceOf.ts @@ -2242,10 +4717,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedE Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInStrings08.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInStrings09.ts tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInStrings10.ts -serde_json::from_str(oxc_json) error: unexpected end of hex escape at line 30 column 29 +serde_json::from_str(estree_json) error: unexpected end of hex escape at line 30 column 29 tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInStrings11.ts -serde_json::from_str(oxc_json) error: lone leading surrogate in hex escape at line 30 column 28 +serde_json::from_str(estree_json) error: lone leading surrogate in hex escape at line 30 column 28 Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInStrings13.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInStrings15.ts @@ -2261,10 +4736,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedE Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInTemplates08.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInTemplates09.ts tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInTemplates10.ts -serde_json::from_str(oxc_json) error: unexpected end of hex escape at line 38 column 36 +serde_json::from_str(estree_json) error: unexpected end of hex escape at line 37 column 36 tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInTemplates11.ts -serde_json::from_str(oxc_json) error: lone leading surrogate in hex escape at line 38 column 35 +serde_json::from_str(estree_json) error: lone leading surrogate in hex escape at line 37 column 35 Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInTemplates13.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInTemplates15.ts @@ -2279,6 +4754,7 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/variableD Missing initializer in const declaration Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/variableDeclarations/VariableDeclaration6_es6.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/YieldExpression10_es6.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/YieldExpression12_es6.ts A 'yield' expression is only allowed in a generator body. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/YieldExpression14_es6.ts @@ -2291,8 +4767,15 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpr A 'yield' expression is only allowed in a generator body. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/YieldExpression2_es6.ts A 'yield' expression is only allowed in a generator body. +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorNoImplicitReturns.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck28.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck32.ts A 'yield' expression is only allowed in a generator body. +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck41.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck42.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck43.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck44.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck46.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck62.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck63.ts tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/yieldExpressionInControlFlow.ts @@ -2323,37 +4806,73 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOp Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithInvalidOperands.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithInvalidSimpleUnaryExpressionOperands.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithNew.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithNullValueAndInvalidOperands.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithNullValueAndValidOperands.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithOnlyNullValueOrUndefinedValue.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithTemplateStringInvalid.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithTemplateStringInvalidES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithTypeParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithUndefinedValueAndInvalidOperands.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithUndefinedValueAndValidOperands.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es7/trailingCommasInBindingPatterns.ts Unexpected trailing comma after rest element Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es7/trailingCommasInFunctionParametersAndArguments.ts A rest parameter must be last in a parameter list +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/classSuper/esDecorators-classDeclaration-classSuper.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/classSuper/esDecorators-classDeclaration-classSuper.3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/classSuper/esDecorators-classDeclaration-classSuper.4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/classSuper/esDecorators-classDeclaration-classSuper.5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/classSuper/esDecorators-classDeclaration-classSuper.6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/classThisReference/esDecorators-classDeclaration-classThisReference.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-commentPreservation.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-commonjs-classNamespaceMerge.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-commonjs.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-missingEmitHelpers-classDecorator.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-missingEmitHelpers-nonStaticPrivateAutoAccessor.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-missingEmitHelpers-staticComputedAutoAccessor.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-missingEmitHelpers-staticPrivateAutoAccessor.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-parameterProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-setFunctionName.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-sourceMap.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/fields/esDecorators-classDeclaration-fields-nonStaticAbstractAccessor.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/fields/esDecorators-classDeclaration-fields-nonStaticAccessor.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/fields/esDecorators-classDeclaration-fields-nonStaticPrivateAccessor.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/fields/esDecorators-classDeclaration-fields-staticAccessor.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/fields/esDecorators-classDeclaration-fields-staticPrivateAccessor.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/classSuper/esDecorators-classExpression-classSuper.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/classSuper/esDecorators-classExpression-classSuper.3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/classSuper/esDecorators-classExpression-classSuper.4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/classSuper/esDecorators-classExpression-classSuper.5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/classSuper/esDecorators-classExpression-classSuper.6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-commentPreservation.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.14.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.17.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/namedEvaluation/esDecorators-classExpression-namedEvaluation.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/namedEvaluation/esDecorators-classExpression-namedEvaluation.4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/namedEvaluation/esDecorators-classExpression-namedEvaluation.5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/namedEvaluation/esDecorators-classExpression-namedEvaluation.6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/namedEvaluation/esDecorators-classExpression-namedEvaluation.7.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/namedEvaluation/esDecorators-classExpression-namedEvaluation.8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/esDecorators-arguments.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/esDecorators-contextualTypes.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/esDecorators-contextualTypes.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/esDecorators/esDecorators-decoratorExpression.1.ts Expected a semicolon or an implicit semicolon after a statement, but found none +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/esDecorators-decoratorExpression.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/esDecorators-preservesThis.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/arrayLiterals/arrayLiteralInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/arrayLiterals/arrayLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/arrayLiterals/arrayLiterals2ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/arrayLiterals/arrayLiterals2ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/arrayLiterals/arrayLiterals3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/asOperator/asOperator3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/asOperator/asOperatorASI.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/asOperator/asOperatorContextualType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/assignmentOperator/assignmentGenericLookupTypeNarrowing.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/assignmentOperator/assignmentTypeNarrowing.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/assignmentOperator/compoundAdditionAssignmentLHSCanBeAssigned.ts @@ -2362,78 +4881,229 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/assignme Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/assignmentOperator/compoundArithmeticAssignmentLHSCanBeAssigned.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/assignmentOperator/compoundArithmeticAssignmentWithInvalidOperands.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithAnyAndEveryType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithConstrainedTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithInvalidOperands.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithNullValueAndInvalidOperator.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithNullValueAndValidOperator.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithNumberAndEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithOnlyNullValueOrUndefinedValue.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithStringAndEveryType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithTypeParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithUndefinedValueAndInvalidOperands.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithUndefinedValueAndValidOperator.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithEnumUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithInvalidOperands.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithNullValueAndInvalidOperands.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithNullValueAndValidOperands.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithOnlyNullValueOrUndefinedValue.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithTypeParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithUndefinedValueAndInvalidOperands.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithUndefinedValueAndValidOperands.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithIdenticalPrimitiveType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNoRelationshipObjectsOnCallSignature.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNoRelationshipObjectsOnConstructorSignature.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNoRelationshipObjectsOnInstantiatedCallSignature.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNoRelationshipObjectsOnInstantiatedConstructorSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNoRelationshipPrimitiveType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNoRelationshipTypeParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNumberOperand.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithOneOperandIsAny.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithOneOperandIsNull.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithOneOperandIsUndefined.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithSubtypeEnumAndNumber.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithSubtypeObjectOnCallSignature.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithSubtypeObjectOnConstructorSignature.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithSubtypeObjectOnInstantiatedCallSignature.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithSubtypeObjectOnInstantiatedConstructorSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/inOperator/inOperatorWithInvalidOperands.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/instanceofOperator/instanceofOperatorWithRHSHasSymbolHasInstance.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalAndOperator/logicalAndOperatorWithEveryType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalAndOperator/logicalAndOperatorWithTypeParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalOrOperator/logicalOrExpressionIsContextuallyTyped.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalOrOperator/logicalOrExpressionIsNotContextuallyTyped.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalOrOperator/logicalOrOperatorWithEveryType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalOrOperator/logicalOrOperatorWithTypeParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/commaOperator/commaOperatorOtherInvalidOperation.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/commaOperator/commaOperatorOtherValidOperation.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/commaOperator/commaOperatorWithSecondOperandObjectType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorConditionIsBooleanType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorConditionIsNumberType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorConditionIsObjectType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorConditoinIsAnyType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorConditoinIsStringType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorWithIdenticalBCT.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorWithoutIdenticalBCT.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/argumentExpressionContextualTyping.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/arrayLiteralExpressionContextualTyping.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/functionExpressionContextualTyping1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/functionExpressionContextualTyping2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/functionExpressionContextualTyping3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/generatedContextualTyping.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/getSetAccessorContextualTyping.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/iterableContextualTyping1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/objectLiteralContextualTyping.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/parenthesizedContexualTyping1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/parenthesizedContexualTyping2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/parenthesizedContexualTyping3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/superCallParameterContextualTyping1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/superCallParameterContextualTyping2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/superCallParameterContextualTyping3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/taggedTemplateContextualTyping1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/taggedTemplateContextualTyping2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/elementAccess/letIdentifierInElementAccess01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/elementAccess/stringEnumInElementAccess01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callOverload.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithMissingVoid.ts tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithMissingVoidUndefinedUnknownAnyInJs.ts Unexpected estree file content error: 2 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithSpread.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithSpread2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithSpread3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithSpread4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithSpread5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithSpreadES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/functionCalls.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/newWithSpread.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/newWithSpreadES5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/newWithSpreadES6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/typeArgumentInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/typeArgumentInferenceConstructSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/typeArgumentInferenceErrors.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/typeArgumentInferenceWithConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/typeArgumentInferenceWithObjectLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functions/arrowFunctionContexts.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functions/arrowFunctionExpressions.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functions/contextuallyTypedIife.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functions/contextuallyTypedIifeStrict.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functions/typeOfThisInFunctionExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/identifiers/scopeResolutionIdentifiers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperator1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperator12.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperatorInAsyncGenerator.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperatorInParameterBindingPattern.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperatorInParameterBindingPattern.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperatorInParameterInitializer.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperatorInParameterInitializer.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/expressions/objectLiterals/objectLiteralErrors.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/objectLiterals/objectLiteralGettersAndSetters.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/objectLiterals/objectLiteralNormalization.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/callChain/callChain.3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/callChain/callChain.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/callChain/callChainInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/callChain/callChainWithSuper.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/callChain/parentheses.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/optionalChainingInArrow.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/optionalChainingInLoop.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/optionalChainingInParameterBindingPattern.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/optionalChainingInParameterBindingPattern.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/optionalChainingInParameterInitializer.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/optionalChainingInParameterInitializer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/optionalChainingInference.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/taggedTemplateChain/taggedTemplateChain.ts Tagged template expressions are not permitted in an optional chain Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/propertyAccess/propertyAccess.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/propertyAccess/propertyAccessWidening.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/superCalls/superCalls.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/superPropertyAccess/errorSuperPropertyAccess.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/superPropertyAccess/superPropertyAccessNoError.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/thisKeyword/thisInInvalidContexts.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/thisKeyword/thisInInvalidContextsExternalModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/thisKeyword/thisInObjectLiterals.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/thisKeyword/typeOfThisInConstructorParamList.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeAssertions/constAssertionOnEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeAssertions/constAssertions.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/TypeGuardWithEnumUnion.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardEnums.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardFunctionOfFormThis.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardFunctionOfFormThisErrors.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardIntersectionTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardNarrowsPrimitiveIntersection.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardNarrowsToLiteralTypeUnion.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardOfFormInstanceOf.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardOfFormInstanceOfOnInterface.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardOfFormThisMember.ts Expected a semicolon or an implicit semicolon after a statement, but found none Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardOfFormThisMemberErrors.ts Expected a semicolon or an implicit semicolon after a statement, but found none +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardTypeOfUndefined.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsDefeat.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInClassAccessors.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInClassMethods.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInConditionalExpression.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInExternalModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInFunctionAndModuleBlock.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInGlobal.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInIfStatement.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInProperties.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInRightOperandOfAndAndOperator.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInRightOperandOfOrOrOperator.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsObjectMethods.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsOnClassProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsWithAny.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsWithInstanceOf.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typePredicateOnVariableDeclaration01.ts Expected a semicolon or an implicit semicolon after a statement, but found none +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfactionWithDefaultExport.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_asConstArrays.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_contextualTyping1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_contextualTyping2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_contextualTyping3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_ensureInterfaceImpl.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_errorLocations1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_optionalMemberConformance.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_propNameConstraining.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_propertyNameFulfillment.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_propertyValueConformance1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_propertyValueConformance2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_propertyValueConformance3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_vacuousIntersectionOfContextualTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/bitwiseNotOperator/bitwiseNotOperatorWithAnyOtherType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/bitwiseNotOperator/bitwiseNotOperatorWithBooleanType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/bitwiseNotOperator/bitwiseNotOperatorWithEnumType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/bitwiseNotOperator/bitwiseNotOperatorWithNumberType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/bitwiseNotOperator/bitwiseNotOperatorWithStringType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/decrementOperator/decrementOperatorWithAnyOtherType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/decrementOperator/decrementOperatorWithEnumType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/decrementOperator/decrementOperatorWithNumberType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/deleteOperator/deleteOperatorWithAnyOtherType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/deleteOperator/deleteOperatorWithBooleanType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/deleteOperator/deleteOperatorWithEnumType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/deleteOperator/deleteOperatorWithNumberType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/deleteOperator/deleteOperatorWithStringType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/incrementOperator/incrementOperatorWithAnyOtherType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/incrementOperator/incrementOperatorWithEnumType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/incrementOperator/incrementOperatorWithNumberType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/logicalNotOperator/logicalNotOperatorWithAnyOtherType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/logicalNotOperator/logicalNotOperatorWithBooleanType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/logicalNotOperator/logicalNotOperatorWithEnumType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/logicalNotOperator/logicalNotOperatorWithNumberType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/logicalNotOperator/logicalNotOperatorWithStringType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/negateOperator/negateOperatorWithAnyOtherType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/negateOperator/negateOperatorWithBooleanType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/negateOperator/negateOperatorWithEnumType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/negateOperator/negateOperatorWithNumberType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/negateOperator/negateOperatorWithStringType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/plusOperator/plusOperatorWithAnyOtherType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/plusOperator/plusOperatorWithBooleanType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/plusOperator/plusOperatorWithEnumType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/plusOperator/plusOperatorWithNumberType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/plusOperator/plusOperatorWithStringType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/typeofOperator/typeofOperatorWithAnyOtherType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/typeofOperator/typeofOperatorWithBooleanType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/typeofOperator/typeofOperatorWithEnumType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/typeofOperator/typeofOperatorWithNumberType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/typeofOperator/typeofOperatorWithStringType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/voidOperator/voidOperatorWithAnyOtherType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/voidOperator/voidOperatorWithBooleanType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/voidOperator/voidOperatorWithEnumType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/voidOperator/voidOperatorWithNumberType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/voidOperator/voidOperatorWithStringType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/valuesAndReferences/assignmentToParenthesizedIdentifiers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/valuesAndReferences/assignments.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/amdImportAsPrimaryExpression.ts @@ -2442,35 +5112,69 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/comm tasks/coverage/typescript/tests/cases/conformance/externalModules/commonJsImportBindingElementNarrowType.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekind.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindExportClassNameWithObject.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES2015Target.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target10.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target11.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target12.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target7.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target9.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekind.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES2015Target.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target10.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target11.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target12.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target7.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target9.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/exnextmodulekindExportClassNameWithObject.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAmbientClassNameWithObject.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAssignTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAssignmentAndDeclaration.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAssignmentConstrainedGenericType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAssignmentMergedInterface.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAssignmentOfExportNamespaceWithDefault.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAssignmentTopLevelEnumdule.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportClassNameWithObjectAMD.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportClassNameWithObjectCommonJS.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportClassNameWithObjectSystem.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportClassNameWithObjectUMD.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportDefaultClassNameWithObject.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportNonInitializedVariablesInIfThenStatementNoCrash1.ts Missing initializer in const declaration +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportNonLocalDeclarations.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportNonVisibleType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportTypeMergedWithExportStarAsNamespace.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/globalAugmentationModuleResolution.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/moduleResolutionWithExtensions.ts tasks/coverage/typescript/tests/cases/conformance/externalModules/moduleResolutionWithoutExtension3.ts Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/externalModules/moduleResolutionWithoutExtension4.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/moduleScoping.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/multipleExportDefault1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/multipleExportDefault2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/multipleExportDefault3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/multipleExportDefault4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/multipleExportDefault5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/multipleExportDefault6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/reexportClassDefinition.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/relativePathToDeclarationFile.ts tasks/coverage/typescript/tests/cases/conformance/externalModules/rewriteRelativeImportExtensions/emit.ts Unexpected estree file content error: 4 != 5 @@ -2481,43 +5185,126 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/externalModules/rewriteRelativeImportExtensions/nonTSExtensions.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAmbientModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwait.1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwait.3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.10.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.11.ts Cannot use `await` as an identifier in an async context +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.12.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.6.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.7.ts Cannot use `await` as an identifier in an async context Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.8.ts Cannot use `await` as an identifier in an async context +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.9.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitNonModule.ts `await` is only allowed within async functions and at the top levels of modules Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelFileModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelModuleDeclarationAndFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeAndNamespaceExportMerge.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/allowsImportingTsExtension.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/computedPropertyName.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/enums.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/exportDefault.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/filterNamespace_import.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/generic.ts tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/grammarErrors.ts Unexpected estree file content error: 3 != 4 Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/implementsClause.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importClause_default.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importClause_namedImports.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importClause_namespaceImport.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importDefaultNamedType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importDefaultNamedType2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importEqualsDeclaration.ts tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importSpecifiers_js.ts Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importsNotUsedAsValues_error.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/namespaceImportTypeQuery.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/namespaceImportTypeQuery2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/namespaceImportTypeQuery3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/namespaceImportTypeQuery4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/namespaceMemberAccess.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/preserveValueImports.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/preserveValueImports_module.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd-augmentation-1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd-augmentation-2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd-augmentation-3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd-augmentation-4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd7.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxAmbientConstEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxCompat.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxConstEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxConstEnumUsage.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxInternalImportEquals.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxNoElisionCJS.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxNoElisionESM.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxRestrictionsCJS.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxRestrictionsESM.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/fixSignatureCaching.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/functionImplementationErrors.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/functionImplementations.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/functionNameConflicts.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/functionOverloadErrors.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/functions/functionOverloadErrorsSyntax.ts A rest parameter must be last in a parameter list Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/functionParameterObjectRestAndInitializers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/functionWithUseStrictAndSimpleParameterList_es2016.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/parameterInitializersBackwardReferencing.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/parameterInitializersForwardReferencing.2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/parameterInitializersForwardReferencing1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/parameterInitializersForwardReferencing1_es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/strictBindCallApply1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/strictBindCallApply2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorAssignability.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorReturnContextualType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorReturnTypeFallback.1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorReturnTypeFallback.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorReturnTypeFallback.4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorReturnTypeFallback.5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorYieldContextualType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/restParameterInDownlevelGenerator.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/yieldStatementNoAsiAfterTransform.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/importAttributes/importAttributes7.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/importAttributes/importAttributes8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/importAttributes/importAttributes9.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/inferFromBindingPattern.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/genericAndNonGenericInterfaceWithTheSameName.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/genericAndNonGenericInterfaceWithTheSameName2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergeThreeInterfaces.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergeThreeInterfaces2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergeTwoInterfaces.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergeTwoInterfaces2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergedInterfacesWithIndexers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergedInterfacesWithIndexers2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergedInterfacesWithMultipleBases.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergedInterfacesWithMultipleBases2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergedInterfacesWithMultipleBases3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergedInterfacesWithMultipleBases4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/twoGenericInterfacesDifferingByTypeParameterName.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/twoGenericInterfacesDifferingByTypeParameterName2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/twoInterfacesDifferentRootModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/twoInterfacesDifferentRootModule2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/twoMergedInterfacesWithDifferingOverloads.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/interfaceDeclarations/derivedInterfaceDoesNotHideBaseSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/interfaceDeclarations/interfaceExtendsObjectIntersection.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/interfaceDeclarations/interfaceExtendsObjectIntersectionErrors.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/interfaceDeclarations/interfaceWithMultipleBaseTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/interfaceDeclarations/interfaceWithPropertyOfEveryType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/AmbientModuleAndNonAmbientClassWithSameNameAndCommonRoot.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/AmbientModuleAndNonAmbientFunctionWithTheSameNameAndCommonRoot.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ClassAndModuleThatMergeWithModuleMemberThatUsesClassTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ClassAndModuleThatMergeWithStaticFunctionAndExportedFunctionThatShareAName.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ClassAndModuleThatMergeWithStaticFunctionAndNonExportedFunctionThatShareAName.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ClassAndModuleThatMergeWithStaticVariableAndExportedVarThatShareAName.ts @@ -2526,8 +5313,11 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/Decl Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ClassAndModuleWithSameNameAndCommonRoot.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ClassAndModuleWithSameNameAndCommonRootES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/EnumAndModuleWithSameNameAndCommonRoot.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/FunctionAndModuleWithSameNameAndCommonRoot.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/FunctionAndModuleWithSameNameAndDifferentCommonRoot.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ModuleAndClassWithSameNameAndCommonRoot.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ModuleAndEnumWithSameNameAndCommonRoot.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ModuleAndFunctionWithSameNameAndCommonRoot.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/TwoInternalModulesThatMergeEachWithExportedAndNonExportedClassesOfTheSameName.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/TwoInternalModulesThatMergeEachWithExportedAndNonExportedInterfacesOfTheSameName.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/TwoInternalModulesThatMergeEachWithExportedAndNonExportedLocalVarsOfTheSameName.ts @@ -2539,6 +5329,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/Decl Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/TwoInternalModulesWithTheSameNameAndSameCommonRoot.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/codeGeneration/exportCodeGen.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/codeGeneration/importStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/codeGeneration/importStatementsInterfaces.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/codeGeneration/nameCollision.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportClassWhichExtendsInterfaceWithInaccessibleType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportClassWithAccessibleTypesInTypeParameterConstraintsClassHeritageListMemberTypeAnnotations.ts @@ -2546,19 +5337,27 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/expo Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportFunctionWithAccessibleTypesInParameterAndReturnTypeAnnotation.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportFunctionWithInaccessibleTypesInParameterTypeAnnotation.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportFunctionWithInaccessibleTypesInReturnTypeAnnotation.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportInterfaceWithAccessibleTypesInTypeParameterConstraintsClassHeritageListMemberTypeAnnotations.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportInterfaceWithInaccessibleTypeInTypeParameterConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportModuleWithAccessibleTypesOnItsExportedMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportObjectLiteralAndObjectTypeLiteralWithAccessibleTypesInMemberTypeAnnotations.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportObjectLiteralAndObjectTypeLiteralWithAccessibleTypesInNestedMemberTypeAnnotations.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportVariableWithAccessibleTypeInTypeAnnotation.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportVariableWithInaccessibleTypeInTypeAnnotation.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ModuleWithExportedAndNonExportedEnums.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ModuleWithExportedAndNonExportedImportAlias.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/importDeclarations/circularImportAlias.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/importDeclarations/exportImportAlias.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/importDeclarations/importAliasIdentifiers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/importDeclarations/invalidImportAliasIdentifiers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/importDeclarations/shadowedInternalModule.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleBody/moduleWithStatementsOfEveryKind.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleDeclarations/asiPreventsParsingAsNamespace05.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleDeclarations/instantiatedModule.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleDeclarations/invalidNestedModules.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleDeclarations/nestedModules.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleDeclarations/nonInstantiatedModule.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleDeclarations/reExportAliasMakesInstantiated.ts tasks/coverage/typescript/tests/cases/conformance/jsdoc/checkExportsObjectAssignProperty.ts Unexpected estree file content error: 1 != 4 @@ -2625,6 +5424,7 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/jsdoc/importTag21.ts Unexpected estree file content error: 2 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/importTag22.ts tasks/coverage/typescript/tests/cases/conformance/jsdoc/importTag23.ts Unexpected estree file content error: 1 != 2 @@ -2676,6 +5476,7 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocImportTypeReferenceToESModule.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocLinkTag5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocLinkTag9.ts tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocParseBackquotedParamName.ts Unexpected estree file content error: 1 != 2 @@ -2683,6 +5484,7 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocThisType.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocTwoLineTypedef.ts tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocTypeReferenceToImport.ts Unexpected estree file content error: 1 != 2 @@ -2704,22 +5506,41 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/jsdoc/paramTagOnFunctionUsingArguments.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/parseLinkTag.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/parseThrowsTag.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/seeTag2.ts tasks/coverage/typescript/tests/cases/conformance/jsdoc/syntaxErrors.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/tsNoCheckForTypescript.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/tsNoCheckForTypescriptComments1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/tsNoCheckForTypescriptComments2.ts tasks/coverage/typescript/tests/cases/conformance/jsdoc/typedefCrossModule.ts Unexpected estree file content error: 1 != 5 tasks/coverage/typescript/tests/cases/conformance/jsdoc/typedefMultipleTypeParameters.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxChildrenCanBeTupleType.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxChildrenProperty14.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxChildrenProperty16.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxChildrenProperty2.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxGenericTagHasCorrectInferences.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxIntersectionElementPropsType.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxSubtleSkipContextSensitiveBug.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxUnionSFXContextualTypeInferredCorrectly.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/commentEmittingInPreserveJsx1.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/correctlyMarkAliasAsReferences1.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/correctlyMarkAliasAsReferences2.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/correctlyMarkAliasAsReferences3.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/correctlyMarkAliasAsReferences4.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/inline/inlineJsxAndJsxFragPragma.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/inline/inlineJsxAndJsxFragPragmaOverridesCompilerOptions.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/inline/inlineJsxFactoryDeclarations.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/inline/inlineJsxFactoryDeclarationsLocalTypes.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/inline/inlineJsxFactoryLocalTypeGlobalFallback.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/inline/inlineJsxFactoryOverridesCompilerOption.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/inline/inlineJsxFactoryWithFragmentIsError.tsx tasks/coverage/typescript/tests/cases/conformance/jsx/jsxCheckJsxNoTypeArgumentsAllowed.tsx Unexpected estree file content error: 1 != 2 @@ -2727,21 +5548,75 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxParsin JSX expressions may not use the comma operator Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxReactTestSuite.tsx JSX expressions may not use the comma operator +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxSpreadOverwritesAttributeStrict.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformChildren.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformCustomImport.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformCustomImportPragma.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformKeyProp.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformKeyPropCustomImport.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformKeyPropCustomImportPragma.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformNestedSelfClosingChild.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformSubstitutesNames.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformSubstitutesNamesFragment.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxAttributeErrors.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxAttributeResolution14.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxAttributeResolution15.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxAttributeResolution16.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxAttributeResolution3.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxAttributeResolution4.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxCorrectlyParseLessThanComparison1.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxDynamicTagName6.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxElementResolution17.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxElementResolution19.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxEmit1.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxExternalModuleEmit2.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxFragmentPreserveEmit.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxFragmentReactEmit.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxGenericAttributesType9.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxLibraryManagedAttributes.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxOpeningClosingNames.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxPreserveEmit1.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxPreserveEmit3.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxReactEmit1.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxReactEmit8.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxReactEmitEntities.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxReactEmitNesting.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution10.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution11.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution12.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution13.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution14.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution15.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution16.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution17.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution2.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution3.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution4.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution5.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution6.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution7.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution8.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution9.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadChildren.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadChildrenInvalidType.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentOverload1.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentOverload2.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentOverload4.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentOverload5.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentOverload6.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponents3.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentsWithTypeArguments1.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentsWithTypeArguments5.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxTypeArgumentsJsxPreserveOutput.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxTypeErrors.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxUnionElementType1.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxUnionElementType2.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxUnionElementType3.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxUnionElementType4.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxUnionElementType5.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxUnionElementType6.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxUnionTypeComponent1.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/moduleResolution/allowImportingTypesDtsExtension.ts tasks/coverage/typescript/tests/cases/conformance/moduleResolution/bundler/bundlerConditionsExcludesNode.ts Unexpected estree file content error: 3 != 5 @@ -2757,12 +5632,14 @@ Unexpected estree file content error: 10 != 11 tasks/coverage/typescript/tests/cases/conformance/moduleResolution/bundler/bundlerNodeModules1.ts Unexpected estree file content error: 2 != 7 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/moduleResolution/bundler/bundlerRelative1.ts tasks/coverage/typescript/tests/cases/conformance/moduleResolution/bundler/bundlerSyntaxRestrictions.ts Unexpected estree file content error: 4 != 5 tasks/coverage/typescript/tests/cases/conformance/moduleResolution/conditionalExportsResolutionFallback.ts Unexpected estree file content error: 1 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/moduleResolution/customConditions.ts tasks/coverage/typescript/tests/cases/conformance/moduleResolution/declarationNotFoundPackageBundlesTypes.ts Unexpected estree file content error: 2 != 4 @@ -2888,6 +5765,7 @@ Unexpected estree file content error: 2 != 5 tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesCJSResolvingToESM4_noPackageJson.ts Unexpected estree file content error: 2 != 5 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesCjsFormatFileAlwaysHasDefault.ts tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesConditionalPackageExports.ts Unexpected estree file content error: 2 != 6 @@ -2898,15 +5776,22 @@ tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesDeclarationEmi Unexpected estree file content error: 2 != 6 Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesDynamicImport.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesExportAssignments.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesExportsBlocksSpecifierResolution.ts tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesExportsBlocksTypesVersions.ts Unexpected estree file content error: 2 != 5 tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesExportsDoubleAsterisk.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesExportsSourceTs.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesExportsSpecifierGenerationConditions.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesExportsSpecifierGenerationDirectory.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesExportsSpecifierGenerationPattern.ts tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesForbidenSyntax.ts Unexpected estree file content error: 4 != 12 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesGeneratedNameCollisions.ts tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportAssertions.ts Unexpected estree file content error: 1 != 2 @@ -2914,9 +5799,13 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImpo tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportAttributes.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportAttributesModeDeclarationEmitErrors.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportAttributesTypeModeDeclarationEmit.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportHelpersCollisions.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportHelpersCollisions2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportHelpersCollisions3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportMeta.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportModeDeclarationEmitErrors1.ts tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportResolutionIntoExport.ts Unexpected estree file content error: 1 != 3 @@ -2946,6 +5835,21 @@ Unexpected estree file content error: 2 != 6 tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesResolveJsonModule.ts Unexpected estree file content error: 1 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesSynchronousCallErrors.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTopLevelAwait.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeDeclarationEmit1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeDeclarationEmit2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeDeclarationEmit3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeDeclarationEmit4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeDeclarationEmit5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeDeclarationEmit6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeDeclarationEmit7.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeOverride1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeOverride2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeOverride3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeOverride4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeOverride5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeOverrideOldResolutionError.ts tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTypesVersionPackageExports.ts Unexpected estree file content error: 5 != 9 @@ -2955,7 +5859,13 @@ Unexpected estree file content error: 1 != 3 tasks/coverage/typescript/tests/cases/conformance/node/nodePackageSelfNameScoped.ts Unexpected estree file content error: 1 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/nonjsExtensions/declarationFileForHtmlFileWithinDeclarationFile.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/nonjsExtensions/declarationFileForHtmlImport.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/nonjsExtensions/declarationFileForJsonImport.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/nonjsExtensions/declarationFileForTsJsImport.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/override/override11.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/override/override19.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/override/override20.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/override/override5.ts override' modifier already seen. Mismatch: tasks/coverage/typescript/tests/cases/conformance/override/override6.ts @@ -2963,8 +5873,15 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/override/over override' modifier already seen. Mismatch: tasks/coverage/typescript/tests/cases/conformance/override/override8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/override/overrideWithoutNoImplicitOverride1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript3/Accessors/parserES3Accessors3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript3/Accessors/parserES3Accessors4.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Accessors/parserAccessors10.ts 'public' modifier cannot be used here. +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Accessors/parserAccessors3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Accessors/parserAccessors4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Accessors/parserAccessors7.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Accessors/parserAccessors8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Accessors/parserAccessors9.ts tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ArrowFunctionExpressions/parserArrowFunctionExpression10.ts Unexpected estree file content error: 1 != 2 @@ -2989,13 +5906,18 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ArrowFunctionExpressions/parserArrowFunctionExpression17.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ArrowFunctionExpressions/parserArrowFunctionExpression7.ts tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ArrowFunctionExpressions/parserArrowFunctionExpression8.ts Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ArrowFunctionExpressions/parserArrowFunctionExpression9.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ClassDeclarations/parserClass1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ClassDeclarations/parserClass2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ComputedPropertyNames/parserES5ComputedPropertyName2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ComputedPropertyNames/parserES5ComputedPropertyName3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ComputedPropertyNames/parserES5ComputedPropertyName4.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ComputedPropertyNames/parserES5ComputedPropertyName6.ts Computed property names are not allowed in enums. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ConstructorDeclarations/parserConstructorDeclaration11.ts @@ -3006,10 +5928,13 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmasc Type parameters cannot appear on a constructor declaration Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnum1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnum2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnum3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnum6.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnum7.ts An enum member cannot have a numeric name. Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnumDeclaration1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnumDeclaration2.d.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnumDeclaration2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnumDeclaration3.d.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnumDeclaration3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnumDeclaration5.ts @@ -3025,10 +5950,20 @@ Expected `{` but found `EOF` Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/IncompleteMemberVariables/parserErrorRecovery_IncompleteMemberVariable1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/VariableLists/parserErrorRecovery_VariableList1.ts Identifier expected. 'return' is a reserved word that cannot be used here. +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/parserCommaInTypeMemberList2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/parserErrantSemicolonInClass1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/parserModifierOnStatementInBlock1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/parserModifierOnStatementInBlock3.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/parserStatementIsNotAMemberVariableDeclaration1.ts A 'return' statement can only be used within a function body. +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ExportAssignments/parserExportAssignment1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ExportAssignments/parserExportAssignment2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ExportAssignments/parserExportAssignment7.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ExportAssignments/parserExportAssignment8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ExportAssignments/parserExportAssignment9.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Expressions/parserAssignmentExpression1.ts Cannot assign to this expression +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Fuzz/parser768531.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Generics/parserAmbiguityWithBinaryOperator1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Generics/parserAmbiguityWithBinaryOperator2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Generics/parserAmbiguityWithBinaryOperator3.ts @@ -3060,16 +5995,20 @@ Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/InterfaceDeclarations/parserInterfaceDeclaration1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/InterfaceDeclarations/parserInterfaceDeclaration6.ts 'export' modifier cannot be used here. +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/InterfaceDeclarations/parserInterfaceDeclaration7.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/MemberAccessorDeclarations/parserMemberAccessorDeclaration10.ts Expected a semicolon or an implicit semicolon after a statement, but found none +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/MemberAccessorDeclarations/parserMemberAccessorDeclaration18.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/MemberFunctionDeclarations/parserMemberFunctionDeclaration4.ts Expected a semicolon or an implicit semicolon after a statement, but found none Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/MemberVariableDeclarations/parserMemberVariableDeclaration4.ts Expected a semicolon or an implicit semicolon after a statement, but found none +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ModuleDeclarations/parserModule1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ModuleDeclarations/parserModuleDeclaration12.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ModuleDeclarations/parserModuleDeclaration7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ModuleDeclarations/parserModuleDeclaration8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ModuleDeclarations/parserModuleDeclaration9.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ObjectLiterals/parserObjectLiterals1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ObjectTypes/parserObjectType6.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ParameterLists/parserParameterList1.ts @@ -3079,29 +6018,71 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmasc A rest parameter cannot be optional Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ParameterLists/parserParameterList9.ts A rest parameter cannot be optional +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/PropertyAssignments/parserFunctionPropertyAssignment1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/PropertyAssignments/parserFunctionPropertyAssignment2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/PropertyAssignments/parserFunctionPropertyAssignment3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/PropertyAssignments/parserFunctionPropertyAssignment4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Protected/Protected9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RealWorld/parserindenter.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parser509546.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parser509546_1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parser509546_2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parser509668.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parser509698.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parser618973.ts 'export' modifier cannot be used here. +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parserNotHexLiteral1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegularExpressions/parserRegularExpressionDivideAmbiguity3.ts Unexpected flag a in regular expression literal +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/BreakStatements/parser_breakTarget1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/BreakStatements/parser_breakTarget2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/BreakStatements/parser_breakTarget3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/BreakStatements/parser_breakTarget4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/BreakStatements/parser_breakTarget5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/BreakStatements/parser_breakTarget6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ContinueStatements/parser_continueLabel.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ContinueStatements/parser_continueNotInIterationStatement4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ContinueStatements/parser_continueTarget1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ContinueStatements/parser_continueTarget2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ContinueStatements/parser_continueTarget3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ContinueStatements/parser_continueTarget4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ContinueStatements/parser_continueTarget5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ContinueStatements/parser_continueTarget6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/LabeledStatements/parser_duplicateLabel1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/LabeledStatements/parser_duplicateLabel2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/LabeledStatements/parser_duplicateLabel3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/LabeledStatements/parser_duplicateLabel4.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ReturnStatements/parserReturnStatement1.ts A 'return' statement can only be used within a function body. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ReturnStatements/parserReturnStatement2.ts A 'return' statement can only be used within a function body. +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ReturnStatements/parserReturnStatement4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserES5ForOfStatement12.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserES5ForOfStatement13.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserES5ForOfStatement16.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserForInStatement8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserForStatement5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserForStatement9.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserLabeledStatement1.d.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserReturnStatement1.d.ts A 'return' statement can only be used within a function body. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserWithStatement2.ts A 'return' statement can only be used within a function body. +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/StrictMode/parserStrictMode12.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/SuperExpressions/parserSuperExpression1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/SuperExpressions/parserSuperExpression4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/VariableDeclarations/parserVariableDeclaration1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/VariableDeclarations/parserVariableDeclaration10.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/VariableDeclarations/parserVariableDeclaration5.ts Unexpected token +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parser10.1.1-8gs.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parser15.4.4.14-9-2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserArgumentList1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserAstSpans1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserInExpression1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserKeywordsAsIdentifierName1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserNotRegex1.ts A 'return' statement can only be used within a function body. Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserRealSource1.ts @@ -3114,27 +6095,50 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/p Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserRealSource6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserRealSource8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserS7.2_A1.5_T2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserS7.3_A1.1_T2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserS7.6.1.1_A1.10.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserS7.6_A4.2_T1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserSbp_7.9_A9_T3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserSyntaxWalker.generated.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserUnicode2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserUnicode3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserUsingConstructorAsIdentifier.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName16.ts Computed property names are not allowed in enums. +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName17.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName26.ts Computed property names are not allowed in enums. +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName3.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName34.ts Computed property names are not allowed in enums. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName35.ts Expected `]` but found `,` +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName37.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName41.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName5.ts 'public' modifier cannot be used here. +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/Iterators/parserForOfStatement12.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/Iterators/parserForOfStatement13.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/Iterators/parserForOfStatement16.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/Iterators/parserForOfStatement22.ts The left-hand side of a `for...of` statement may not be `async` +Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/Iterators/parserForOfStatement25.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/pedantic/noUncheckedIndexedAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/pedantic/noUncheckedIndexedAccessDestructuring.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-10.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-11.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-12.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-7.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-scoped-packages.ts tasks/coverage/typescript/tests/cases/conformance/salsa/chainedPrototypeAssignment.ts Unexpected estree file content error: 1 != 3 @@ -3149,6 +6153,7 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/salsa/constru Constructor can't have get/set modifier Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/salsa/constructorNameInGenerator.ts Constructor can't be a generator +Mismatch: tasks/coverage/typescript/tests/cases/conformance/salsa/constructorNameInObjectLiteralAccessor.ts tasks/coverage/typescript/tests/cases/conformance/salsa/enumMergeWithExpando.ts Unexpected estree file content error: 1 != 2 @@ -3161,6 +6166,7 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/salsa/inferringClassMembersFromAssignments.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/salsa/inferringClassMembersFromAssignments8.ts tasks/coverage/typescript/tests/cases/conformance/salsa/inferringClassStaticMembersFromAssignments.ts Unexpected estree file content error: 1 != 3 @@ -3176,6 +6182,7 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/salsa/jsObjectsMarkedAsOpenEnded.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/salsa/mixedPropertyElementAccessAssignmentDeclaration.ts tasks/coverage/typescript/tests/cases/conformance/salsa/moduleExportAlias.ts Unexpected estree file content error: 1 != 2 @@ -3197,6 +6204,8 @@ Unexpected estree file content error: 1 != 3 tasks/coverage/typescript/tests/cases/conformance/salsa/moduleExportWithExportPropertyAssignment4.ts Unexpected estree file content error: 1 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/salsa/propertyAssignmentUseParentType1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/salsa/propertyAssignmentUseParentType3.ts tasks/coverage/typescript/tests/cases/conformance/salsa/prototypePropertyAssignmentMergeWithInterfaceMethod.ts Unexpected estree file content error: 1 != 2 @@ -3206,6 +6215,7 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/salsa/requireAssertsFromTypescript.ts Unexpected estree file content error: 2 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/salsa/sourceFileMergeWithFunction.ts tasks/coverage/typescript/tests/cases/conformance/salsa/typeFromParamTagForFunction.ts Unexpected estree file content error: 1 != 14 @@ -3215,35 +6225,123 @@ Unexpected estree file content error: 1 != 3 tasks/coverage/typescript/tests/cases/conformance/salsa/typeFromPropertyAssignment19.ts Unexpected estree file content error: 1 != 3 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/salsa/typeFromPropertyAssignment29.ts tasks/coverage/typescript/tests/cases/conformance/salsa/varRequireFromTypescript.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scanner10.1.1-8gs.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannerClass2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannerEnum1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannerNonAsciiHorizontalWhitespace.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannerS7.2_A1.5_T2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannerS7.3_A1.1_T2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannerS7.6_A4.2_T1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannertest1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/everyTypeWithAnnotationAndInitializer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/everyTypeWithAnnotationAndInvalidInitializer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/everyTypeWithInitializer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/recursiveInitializer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.10.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.15.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.9.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsInForAwaitOf.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsInForAwaitOf.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsInForOf.1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsInForOf.4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsTopLevelOfModule.1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsWithImportHelpers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsWithIteratorObject.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarations.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarations.11.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarations.12.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarations.15.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarations.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarations.3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsDeclarationEmit.1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsDeclarationEmit.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsInForAwaitOf.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsInForOf.1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsNamedEvaluationDecoratorsAndClassFields.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsTopLevelOfModule.1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsTopLevelOfModule.2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsTopLevelOfModule.3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.10.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.11.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.12.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.9.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithImportHelpers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithIteratorObject.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.10.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.11.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.12.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.9.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithObjectLiterals1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithObjectLiterals2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/validMultipleVariableDeclarations.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/doWhileBreakStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/forBreakStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/forInBreakStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/invalidDoWhileBreakStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/invalidForBreakStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/invalidForInBreakStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/invalidSwitchBreakStatement.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/invalidWhileBreakStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/switchBreakStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/whileBreakStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/doWhileContinueStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/forContinueStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/forInContinueStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/invalidDoWhileContinueStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/invalidForContinueStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/invalidForInContinueStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/invalidSwitchContinueStatement.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/invalidWhileContinueStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/whileContinueStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-await-ofStatements/emitter.forAwait.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-await-ofStatements/forAwaitPerIterationBindingDownlevel.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-inStatements/for-inStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-inStatements/for-inStatementsAsyncIdentifier.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-inStatements/for-inStatementsDestructuring2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-inStatements/for-inStatementsDestructuring3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-inStatements/for-inStatementsDestructuring4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of10.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of12.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of20.ts Missing initializer in const declaration +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of27.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of29.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of30.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of31.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of34.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of35.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of37.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of9.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-ofTypeCheck10.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/forStatements/forStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/forStatements/forStatementsMultipleValidDecl.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/ifDoWhileStatements/ifDoWhileStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/labeledStatements/labeledStatementDeclarationListInLoopNoCrash2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/statements/labeledStatements/labeledStatementExportDeclarationNoCrash1.ts Missing initializer in const declaration Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/statements/labeledStatements/labeledStatementWithLabel.ts @@ -3252,29 +6350,67 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/statements/la Generators can only be declared at the top level or inside a block Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/statements/labeledStatements/labeledStatementWithLabel_strict.ts Generators can only be declared at the top level or inside a block +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/returnStatements/invalidReturnStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/returnStatements/returnStatementNoAsiAfterTransform.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/returnStatements/returnStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/switchStatements/switchStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/throwStatements/throwInEnclosingStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/throwStatements/throwStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/tryStatements/catchClauseWithTypeAnnotation.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/any/anyAsConstructor.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/any/anyAsFunctionCall.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/any/anyAsGenericFunctionCall.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/any/assignAnyToEveryType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/any/assignEveryTypeToAny.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/asyncGenerators/types.asyncGenerators.es2018.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/conditionalTypes1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/conditionalTypes2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/conditionalTypesExcessProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/inferTypes1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/inferTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/inferTypesWithExtends1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/inferTypesWithExtends2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/inferTypesWithExtendsDependingOnTypeVariables.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/variance.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/asyncFunctions/contextuallyTypeAsyncFunctionAwaitOperand.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/asyncFunctions/contextuallyTypeAsyncFunctionReturnType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/jsxAttributes/contextuallyTypedStringLiteralsInJsxAttributes01.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/jsxAttributes/contextuallyTypedStringLiteralsInJsxAttributes02.tsx +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/methodDeclarations/contextuallyTypedBindingInitializer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/methodDeclarations/contextuallyTypedBindingInitializerNegative.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/methodDeclarations/contextuallyTypedObjectLiteralMethodDeclaration01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/partiallyAnnotatedFunction/partiallyAnnotatedFunctionInferenceWithTypeParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/partiallyAnnotatedFunction/partiallyAnnotatedFunctionWitoutTypeParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeAmbient.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeAmbientMissing.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeAmdBundleRewrite.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeGeneric.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeGenericTypes.ts tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeInJSDoc.ts Unexpected estree file content error: 1 != 2 +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeLocal.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeLocalMissing.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeNested.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeNestedNoRef.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeNonString.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/import/importWithTypeArguments.ts Expected `from` but found `<` +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/contextualIntersectionType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionAndUnionTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionAsWeakTypeSource.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionMemberOfUnionNarrowsCorrectly.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionNarrowing.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionOfUnionOfUnitTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionReduction.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionReductionStrict.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionThisTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionTypeEquivalence.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionTypeInference.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionTypeInference2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionTypeInference3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionTypeMembers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionTypeOverloading.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionWithIndexSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionWithUnionConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionsAndEmptyObjects.ts @@ -3288,6 +6424,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/enumLi Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/enumLiteralTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/literalTypeWidening.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/literalTypes2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/literalTypesAndDestructuring.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/literalTypesAndTypeAssertions.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/literalTypesWidenInParameterPosition.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/numericStringLiteralTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringEnumLiteralTypes1.ts @@ -3295,6 +6433,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/string Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringEnumLiteralTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsAssertionsInEqualityComparisons01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsAssertionsInEqualityComparisons02.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsAssignedToStringMappings.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsWithEqualityChecks01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsWithEqualityChecks02.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsWithEqualityChecks03.ts @@ -3304,9 +6443,19 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/string Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsWithSwitchStatements03.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsWithSwitchStatements04.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsWithTypeAssertions01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringMappingDeferralInConditionalTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringMappingOverPatternLiterals.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringMappingReduction.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes8.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypesPatterns.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypesPatternsPrefixSuffixAssignability.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/localTypes/localTypes1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/localTypes/localTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/localTypes/localTypes3.ts @@ -3327,16 +6476,67 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedT Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypes4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypes5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypes6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypesAndObjects.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypesArraysTuples.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypesGenericTuples.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypesGenericTuples2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/recursiveMappedTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/classWithPrivateProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/classWithProtectedProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/duplicateNumericIndexers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/duplicatePropertyNames.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/duplicateStringIndexers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/indexSignatures1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeHidingMembersOfExtendedObject.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeHidingMembersOfObject.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeHidingMembersOfObjectAssignmentCompat.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeHidingMembersOfObjectAssignmentCompat2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypePropertyAccess.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithCallSignatureAppearsToBeFunctionType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithCallSignatureHidingMembersOfExtendedFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithCallSignatureHidingMembersOfFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithConstructSignatureAppearsToBeFunctionType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithConstructSignatureHidingMembersOfExtendedFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithConstructSignatureHidingMembersOfFunction.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithDuplicateNumericProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithNumericProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithStringAndNumberIndexSignatureToAny.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithStringIndexerHidingObjectIndexer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithStringNamedPropertyOfIllegalCharacters.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/typesWithOptionalProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/typesWithPublicConstructor.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/typesWithSpecializedCallSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/typesWithSpecializedConstructSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/namedTypes/classWithOnlyPublicMembersEquivalentToInterface.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/namedTypes/classWithOnlyPublicMembersEquivalentToInterface2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/namedTypes/classWithOptionalParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/namedTypes/optionalMethods.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/never/neverTypeErrors1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/never/neverTypeErrors2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/assignObjectToNonPrimitive.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveAccessProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveAndEmptyObject.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveAndTypeVariables.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveAsProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveAssignError.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveConstraintOfIndexAccessType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveUnionIntersection.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignatureWithOptionalParameterAndInitializer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignatureWithoutAnnotationsOrBody.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignatureWithoutReturnTypeAnnotationInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignaturesThatDifferOnlyByReturnType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignaturesThatDifferOnlyByReturnType2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignaturesThatDifferOnlyByReturnType3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignaturesWithDuplicateParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignaturesWithOptionalParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignaturesWithOptionalParameters2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignaturesWithParameterInitializers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/identicalCallSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/identicalCallSignatures2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/identicalCallSignatures3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/parametersWithNoAnnotationAreAny.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/restParameterWithoutAnnotationIsAnyArray.ts A rest parameter must be last in a parameter list Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/restParametersOfNonArrayTypes.ts @@ -3345,19 +6545,52 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/objectT A rest parameter must be last in a parameter list Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/restParametersWithArrayTypeAnnotations.ts A rest parameter must be last in a parameter list +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/specializedSignatureIsSubtypeOfNonSpecializedSignature.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/stringLiteralTypesInImplementationSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/stringLiteralTypesInImplementationSignatures2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/typeParameterAsTypeArgument.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/typeParameterUsedAsTypeParameterConstraint.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/typeParameterUsedAsTypeParameterConstraint2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/typeParameterUsedAsTypeParameterConstraint3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/typeParameterUsedAsTypeParameterConstraint4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/constructSignatures/constructSignaturesWithIdenticalOverloads.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/constructSignatures/constructSignaturesWithOverloads.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/constructSignatures/constructSignaturesWithOverloads2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/constructSignatures/constructSignaturesWithOverloadsThatDifferOnlyByReturnType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/multipleNumericIndexers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/multipleStringIndexers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/numericIndexerConstrainsPropertyDeclarations.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/numericIndexerConstrainsPropertyDeclarations2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/numericIndexingResults.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/stringIndexerConstrainsPropertyDeclarations.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/stringIndexerConstrainsPropertyDeclarations2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/stringIndexingResults.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/methodSignatures/functionLiterals.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/methodSignatures/methodSignaturesWithOverloads.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/methodSignatures/methodSignaturesWithOverloads2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/propertySignatures/numericStringNamedPropertyEquivalence.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/propertySignatures/propertyNameWithoutTypeAnnotation.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/propertySignatures/propertyNamesOfReservedWords.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/propertySignatures/stringNamedPropertyAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/boolean/invalidBooleanAssignments.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/enum/invalidEnumAssignments.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/enum/validEnumAssignments.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/null/validNullAssignments.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/number/validNumberAssignments.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/string/assignFromStringInterface2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/string/invalidStringAssignments.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/undefined/invalidUndefinedAssignments.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/undefined/invalidUndefinedValues.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/void/invalidVoidAssignments.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/void/invalidVoidValues.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/genericObjectRest.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/genericRestArity.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/genericRestArityStrict.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/genericRestParameters1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/genericRestParameters2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/genericRestParameters3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/objectRest.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/objectRest2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/objectRestAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/objectRestCatchES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/objectRestForOf.ts @@ -3370,19 +6603,59 @@ A rest element must be last in a destructuring pattern Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/objectRestReadonly.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/rest/restElementMustBeLast.ts A rest element must be last in a destructuring pattern +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/restTuplesFromContextualTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/predefinedTypes/objectTypesWithPredefinedTypesAsName.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/arrayLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/arrayOfFunctionTypes3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/arrayTypeOfFunctionTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/arrayTypeOfFunctionTypes2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/arrayTypeOfTypeOf.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/functionLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/functionLiteralForOverloads.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/functionLiteralForOverloads2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/unionTypeLiterals.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeQueries/recursiveTypesWithTypeof.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeQueries/typeQueryOnClass.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeQueries/typeofANonExportedType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeQueries/typeofAnExportedType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeQueries/typeofThis.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeQueries/typeofThisWithImplicitThis.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeReferences/genericTypeReferenceWithoutTypeArgument.d.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeReferences/genericTypeReferenceWithoutTypeArgument.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeReferences/genericTypeReferenceWithoutTypeArgument2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeReferences/genericTypeReferenceWithoutTypeArgument3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeReferences/nonGenericTypeReferenceWithTypeArguments.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpread.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadComputedProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadIndexSignature.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadNegative.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadNoTransform.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadRepeatedComplexity.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadRepeatedNullCheckPerf.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadSetonlyAccessor.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadStrictNull.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadContextualTypedBindingPattern.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadDuplicate.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadDuplicateExact.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadExcessProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadMethods.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadNonObject1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadNonPrimitive.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadObjectOrFalsy.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadOverwritesProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadOverwritesPropertyStrict.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadUnion.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadUnion3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralCheckedInIf01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralCheckedInIf02.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralMatchedInSwitch01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypeAssertion01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAndLogicalOrExpressions01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAndParenthesizedExpressions01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAndTuples01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAsTags01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAsTags02.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAsTags03.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAsTypeParameterConstraint01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAsTypeParameterConstraint02.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesInVariableDeclarations01.ts @@ -3399,91 +6672,338 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesWithTemplateStrings02.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesWithVariousOperators01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesWithVariousOperators02.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/typeArgumentsWithStringLiteralTypes01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/contextualThisType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/declarationFiles.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/inferThisType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/looseThisTypeInFunctions.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeErrors2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInAccessors.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInAccessorsNegative.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInFunctions.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInFunctions2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInFunctions4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInObjectLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInObjectLiterals2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInTaggedTemplateCall.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInTypePredicate.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeOptionalCall.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeSyntacticContext.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/unionThisTypeInFunctions.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/castingTuple.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/contextualTypeTupleEnd.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/contextualTypeWithTuple.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/indexerWithTuple.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/named/namedTupleMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/named/namedTupleMembersErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/named/partiallyNamedTuples.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/named/partiallyNamedTuples2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/named/partiallyNamedTuples3.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/tuple/readonlyArraysAndTuples.ts 'readonly' type modifier is only permitted on array and tuple literal types. Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/restTupleElements1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/unionsOfTupleTypes1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/variadicTuples1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/variadicTuples2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/variadicTuples3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeAliases/directDependenceBetweenTypeAliases.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeAliases/genericTypeAliases.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeAliases/intrinsicTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeAliases/typeAliases.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeAliases/typeAliasesDoNotMerge.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/callGenericFunctionWithIncorrectNumberOfTypeArguments.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/callGenericFunctionWithZeroTypeArguments.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/callNonGenericFunctionWithTypeArguments.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/constraintSatisfactionWithAny.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/constraintSatisfactionWithAny2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/constraintSatisfactionWithEmptyObject.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/functionConstraintSatisfaction.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/functionConstraintSatisfaction2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/functionConstraintSatisfaction3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/instantiateGenericClassWithWrongNumberOfTypeArguments.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/instantiateGenericClassWithZeroTypeArguments.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/instantiateNonGenericTypeWithTypeArguments.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/instantiationExpressions.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/typeParameterAsTypeParameterConstraint.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/typeParameterAsTypeParameterConstraint2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/typeParameterAsTypeParameterConstraintTransitively.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/typeParameterAsTypeParameterConstraintTransitively2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/wrappedAndRecursiveConstraints.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/wrappedAndRecursiveConstraints3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/wrappedAndRecursiveConstraints4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterAsBaseType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/innerTypeParameterShadowingOuterOne.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/innerTypeParameterShadowingOuterOne2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/propertyAccessOnTypeParameterWithConstraints.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/propertyAccessOnTypeParameterWithConstraints2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/propertyAccessOnTypeParameterWithConstraints3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/propertyAccessOnTypeParameterWithConstraints4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/propertyAccessOnTypeParameterWithConstraints5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/propertyAccessOnTypeParameterWithoutConstraints.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/staticMembersUsingClassTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/typeParameterConstModifiers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/typeParameterConstModifiersReverseMappedTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/typeParameterConstModifiersWithIntersection.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/typeParameterDirectlyConstrainedToItself.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/typeParametersAvailableInNestedScope3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/apparentType/apparentTypeSubtyping.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/apparentType/apparentTypeSupertype.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/anyAssignabilityInInheritance.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/anyAssignableToEveryType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/anyAssignableToEveryType2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatBetweenTupleAndArray.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignatures2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignatures3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignatures4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignatures5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignatures6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignaturesWithOptionalParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignaturesWithRestParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithConstructSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithConstructSignatures2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithConstructSignatures3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithConstructSignatures4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithConstructSignatures5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithConstructSignatures6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithConstructSignaturesWithOptionalParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithDiscriminatedUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithEnumIndexer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithGenericCallSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithGenericCallSignatures2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithGenericCallSignatures3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithGenericCallSignatures4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithGenericCallSignaturesWithOptionalParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithNumericIndexer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithNumericIndexer2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithNumericIndexer3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembers2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembers3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembers4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembersAccessibility.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembersNumericNames.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembersOptionality.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembersOptionality2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembersStringNumericNames.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithStringIndexer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithStringIndexer2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithStringIndexer3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/callSignatureAssignabilityInInheritance2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/callSignatureAssignabilityInInheritance3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/callSignatureAssignabilityInInheritance4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/callSignatureAssignabilityInInheritance5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/callSignatureAssignabilityInInheritance6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/constructSignatureAssignabilityInInheritance.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/constructSignatureAssignabilityInInheritance2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/constructSignatureAssignabilityInInheritance3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/constructSignatureAssignabilityInInheritance4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/constructSignatureAssignabilityInInheritance5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/constructSignatureAssignabilityInInheritance6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/covariantCallbacks.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/enumAssignability.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/enumAssignabilityInInheritance.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/everyTypeAssignableToAny.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/genericCallWithObjectTypeArgsAndInitializers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/intersectionIncludingPropFromGlobalAugmentation.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/nullAssignableToEveryType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/numberAssignableToEnum.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/typeParameterAssignability.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/typeParameterAssignability2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/typeParameterAssignability3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/undefinedAssignableToEveryType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/unionTypesAssignability.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/arrayLiteralWithMultipleBestCommonTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/bestCommonTypeOfConditionalExpressions.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/bestCommonTypeOfConditionalExpressions2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/bestCommonTypeOfTuple.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/bestCommonTypeOfTuple2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/functionWithMultipleReturnStatements.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/functionWithMultipleReturnStatements2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/heterogeneousArrayLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/equalityWithEnumTypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/equalityWithIntersectionTypes01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/equalityWithUnionTypes01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/independentPropertyVariance.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/optionalProperties01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/optionalProperties02.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/typeAssertionsWithIntersectionTypes01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/typeAssertionsWithUnionTypes01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/instanceOf/narrowingConstrainedTypeVariable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/instanceOf/narrowingGenericTypeFromInstanceof01.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/recursiveTypes/infiniteExpansionThroughInstantiation.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/recursiveTypes/infiniteExpansionThroughInstantiation2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/recursiveTypes/objectTypeWithRecursiveWrappedProperty.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/recursiveTypes/objectTypeWithRecursiveWrappedProperty2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/recursiveTypes/objectTypeWithRecursiveWrappedPropertyCheckedNominally.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/recursiveTypes/recursiveTypeReferences1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/enumIsNotASubtypeOfAnythingButNumber.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/nullIsSubtypeOfEverythingButUndefined.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/stringLiteralTypeIsSubtypeOfString.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfAny.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfTypeParameter.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfTypeParameterWithConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfTypeParameterWithConstraints2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfTypeParameterWithConstraints3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfTypeParameterWithConstraints4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfTypeParameterWithRecursiveConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfUnion.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithCallSignatures2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithCallSignatures3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithCallSignatures4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithCallSignaturesWithOptionalParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithCallSignaturesWithRestParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithCallSignaturesWithSpecializedSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithConstructSignatures2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithConstructSignatures3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithConstructSignatures4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithConstructSignatures5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithConstructSignatures6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithConstructSignaturesWithOptionalParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithConstructSignaturesWithSpecializedSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithGenericCallSignaturesWithOptionalParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithGenericConstructSignaturesWithOptionalParameters.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithNumericIndexer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithNumericIndexer2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithNumericIndexer3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithNumericIndexer4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithNumericIndexer5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithObjectMembers4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithObjectMembersAccessibility.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithObjectMembersAccessibility2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithObjectMembersOptionality.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithObjectMembersOptionality2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithObjectMembersOptionality3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithObjectMembersOptionality4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithOptionalProperties.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithStringIndexer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithStringIndexer2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithStringIndexer3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithStringIndexer4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/undefinedIsSubtypeOfEverything.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/unionSubtypeIfEveryConstituentTypeIsSubtype.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentity.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentity2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithCallSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithCallSignatures2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithCallSignatures3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithCallSignaturesDifferingParamCounts.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithCallSignaturesDifferingParamCounts2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithCallSignaturesWithOverloads.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithConstructSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithConstructSignatures2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithConstructSignaturesDifferingParamCounts.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignatures.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignatures2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesDifferingByConstraints.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesDifferingByConstraints2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesDifferingByConstraints3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesDifferingByReturnType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesDifferingByReturnType2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesDifferingTypeParameterCounts.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesDifferingTypeParameterCounts2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesDifferingTypeParameterNames.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesOptionalParams.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesOptionalParams2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesOptionalParams3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesDifferingByConstraints.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesDifferingByConstraints2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesDifferingByConstraints3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesDifferingByReturnType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesDifferingByReturnType2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesDifferingTypeParameterCounts.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesDifferingTypeParameterNames.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesOptionalParams.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesOptionalParams2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesOptionalParams3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithNumericIndexers1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithNumericIndexers2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithNumericIndexers3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithOptionality.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithPrivates.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithPrivates2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithPrivates3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithPublics.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithStringIndexers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithStringIndexers2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/primtiveTypesAreIdentical.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/typeParametersAreIdenticalToThemselves.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/unionTypeIdentity.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/bivariantInferences.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/contextualSignatureInstantiation.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/discriminatedUnionInference.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallTypeArgumentInference.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithConstraintsTypeArgumentInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithConstraintsTypeArgumentInference2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithConstructorTypedArguments5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithFunctionTypedArguments.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithFunctionTypedArguments2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithFunctionTypedArguments3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithFunctionTypedArguments4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithFunctionTypedArguments5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithGenericSignatureArguments.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithGenericSignatureArguments2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithGenericSignatureArguments3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithNonSymmetricSubtypes.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectLiteralArgs.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgs2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndConstraints.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndConstraints2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndConstraints3.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndConstraints4.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndConstraints5.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndIndexers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndIndexersErrors.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndNumericIndexer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndStringIndexer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithOverloadedConstructorTypedArguments.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithOverloadedConstructorTypedArguments2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithOverloadedFunctionTypedArguments.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithOverloadedFunctionTypedArguments2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithTupleType.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericClassWithFunctionTypedMemberArguments.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericClassWithObjectTypeArgsAndConstraints.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericContextualTypes1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericContextualTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericContextualTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/intraExpressionInferences.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/intraExpressionInferencesJsx.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/keyofInferenceLowerPriorityThanReturn.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/noInfer.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/unionAndIntersectionInference1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/unionAndIntersectionInference3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/unionTypeInference.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/widenedTypes/arrayLiteralWidened.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/widenedTypes/initializersWidened.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/widenedTypes/objectLiteralWidened.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/contextualTypeWithUnionTypeCallSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/contextualTypeWithUnionTypeIndexSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/contextualTypeWithUnionTypeMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/contextualTypeWithUnionTypeObjectLiteral.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/discriminatedUnionTypes2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/discriminatedUnionTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeCallSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeCallSignatures2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeCallSignatures3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeCallSignatures4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeCallSignatures5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeCallSignatures6.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeCallSignatures7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeConstructSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeEquivalence.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeFromArrayLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeIndexSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeMembers.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeReduction2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/uniqueSymbol/uniqueSymbols.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/uniqueSymbol/uniqueSymbolsDeclarations.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/uniqueSymbol/uniqueSymbolsDeclarationsErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/uniqueSymbol/uniqueSymbolsErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/uniqueSymbol/uniqueSymbolsPropertyNames.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/unknown/unknownType1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/unknown/unknownType2.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/witness/witness.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/typings/typingsLookup1.ts +Mismatch: tasks/coverage/typescript/tests/cases/conformance/typings/typingsLookup3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/typings/typingsLookupAmd.ts From c079ab8c254d3bf6b2db0f335e9639f09379dec8 Mon Sep 17 00:00:00 2001 From: Yuji Sugiura Date: Fri, 28 Mar 2025 14:09:16 +0900 Subject: [PATCH 04/11] Fix typo --- crates/oxc_ast/src/ast_impl/ts.rs | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/crates/oxc_ast/src/ast_impl/ts.rs b/crates/oxc_ast/src/ast_impl/ts.rs index 3f7a67b632454..7aef78b381062 100644 --- a/crates/oxc_ast/src/ast_impl/ts.rs +++ b/crates/oxc_ast/src/ast_impl/ts.rs @@ -20,7 +20,7 @@ impl<'a> TSEnumMemberName<'a> { Self::String(lit) => lit.value, Self::TemplateString(template) => template .quasi() - .expect("`TSEnumMemberName::TemplateString` should have no substituion and at least one quasi"), + .expect("`TSEnumMemberName::TemplateString` should have no substitution and at least one quasi"), } } } From 510dad7f251b2e3aabaf6d307aedbe18fe80d657 Mon Sep 17 00:00:00 2001 From: Yuji Sugiura Date: Fri, 28 Mar 2025 14:14:06 +0900 Subject: [PATCH 05/11] Update minsize.snap --- tasks/minsize/minsize.snap | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/tasks/minsize/minsize.snap b/tasks/minsize/minsize.snap index 363e182e72dfd..e9e3ed57fa85a 100644 --- a/tasks/minsize/minsize.snap +++ b/tasks/minsize/minsize.snap @@ -7,21 +7,21 @@ Original | minified | minified | gzip | gzip | Fixture 287.63 kB | 89.33 kB | 90.07 kB | 30.95 kB | 31.95 kB | jquery.js -342.15 kB | 117.25 kB | 118.14 kB | 43.29 kB | 44.37 kB | vue.js +342.15 kB | 117.25 kB | 118.14 kB | 43.31 kB | 44.37 kB | vue.js 544.10 kB | 71.38 kB | 72.48 kB | 25.85 kB | 26.20 kB | lodash.js -555.77 kB | 270.83 kB | 270.13 kB | 88.25 kB | 90.80 kB | d3.js +555.77 kB | 270.84 kB | 270.13 kB | 88.26 kB | 90.80 kB | d3.js -1.01 MB | 440.17 kB | 458.89 kB | 122.37 kB | 126.71 kB | bundle.min.js +1.01 MB | 440.17 kB | 458.89 kB | 122.38 kB | 126.71 kB | bundle.min.js 1.25 MB | 647.00 kB | 646.76 kB | 160.28 kB | 163.73 kB | three.js -2.14 MB | 716.13 kB | 724.14 kB | 161.80 kB | 181.07 kB | victory.js +2.14 MB | 716.14 kB | 724.14 kB | 161.79 kB | 181.07 kB | victory.js -3.20 MB | 1.01 MB | 1.01 MB | 324.12 kB | 331.56 kB | echarts.js +3.20 MB | 1.01 MB | 1.01 MB | 324.14 kB | 331.56 kB | echarts.js -6.69 MB | 2.28 MB | 2.31 MB | 466.11 kB | 488.28 kB | antd.js +4.12 MB | 1.54 MB | 2.31 MB | 447.69 kB | 488.28 kB | antd.js -10.95 MB | 3.35 MB | 3.49 MB | 860.93 kB | 915.50 kB | typescript.js +10.95 MB | 3.35 MB | 3.49 MB | 860.95 kB | 915.50 kB | typescript.js From 9b25f216d058277ef7eba4605fd0c5fa7d9e343c Mon Sep 17 00:00:00 2001 From: Yuji Sugiura Date: Fri, 28 Mar 2025 14:59:08 +0900 Subject: [PATCH 06/11] Fix codegen --- crates/oxc_codegen/src/gen.rs | 12 +++++------- 1 file changed, 5 insertions(+), 7 deletions(-) diff --git a/crates/oxc_codegen/src/gen.rs b/crates/oxc_codegen/src/gen.rs index c2d1ca9d30fce..8b7f3a2beba3e 100644 --- a/crates/oxc_codegen/src/gen.rs +++ b/crates/oxc_codegen/src/gen.rs @@ -3755,16 +3755,14 @@ impl Gen for TSEnumBody<'_> { impl Gen for TSEnumMember<'_> { fn r#gen(&self, p: &mut Codegen, ctx: Context) { - if self.computed { - p.print_ascii_byte(b'['); - } match &self.id { TSEnumMemberName::Identifier(decl) => decl.print(p, ctx), TSEnumMemberName::String(decl) => p.print_string_literal(decl, false), - TSEnumMemberName::TemplateString(decl) => decl.print(p, ctx), - } - if self.computed { - p.print_ascii_byte(b']'); + TSEnumMemberName::TemplateString(decl) => { + let quasi = decl.quasis.first().unwrap(); + p.add_source_mapping(quasi.span); + p.print_str(quasi.value.raw.as_str()); + } } if let Some(init) = &self.initializer { p.print_soft_space(); From 71d434b49391b16ac105437dac2474fd173416a2 Mon Sep 17 00:00:00 2001 From: Yuji Sugiura Date: Fri, 28 Mar 2025 15:03:56 +0900 Subject: [PATCH 07/11] Revert "Update minsize.snap" This reverts commit 302b85661de55674d16aa8ac4dd61080b7db5d0c. --- tasks/minsize/minsize.snap | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tasks/minsize/minsize.snap b/tasks/minsize/minsize.snap index e9e3ed57fa85a..6be7c45c66187 100644 --- a/tasks/minsize/minsize.snap +++ b/tasks/minsize/minsize.snap @@ -21,7 +21,7 @@ Original | minified | minified | gzip | gzip | Fixture 3.20 MB | 1.01 MB | 1.01 MB | 324.14 kB | 331.56 kB | echarts.js -4.12 MB | 1.54 MB | 2.31 MB | 447.69 kB | 488.28 kB | antd.js +6.69 MB | 2.28 MB | 2.31 MB | 466.12 kB | 488.28 kB | antd.js 10.95 MB | 3.35 MB | 3.49 MB | 860.95 kB | 915.50 kB | typescript.js From 7c4c8814b3afa2d1841585b55d2e1a702faf93c2 Mon Sep 17 00:00:00 2001 From: Yuji Sugiura Date: Thu, 3 Apr 2025 17:03:51 +0900 Subject: [PATCH 08/11] Fix base conflict --- .../coverage/snapshots/estree_typescript.snap | 1219 +---------------- 1 file changed, 16 insertions(+), 1203 deletions(-) diff --git a/tasks/coverage/snapshots/estree_typescript.snap b/tasks/coverage/snapshots/estree_typescript.snap index 3a43e4b799f08..c27e65790272d 100644 --- a/tasks/coverage/snapshots/estree_typescript.snap +++ b/tasks/coverage/snapshots/estree_typescript.snap @@ -1,8 +1,8 @@ commit: 15392346 estree_typescript Summary: -AST Parsed : 10623/10725 (99.05%) -Positive Passed: 4547/10725 (42.40%) +AST Parsed : 10619/10725 (99.01%) +Positive Passed: 5738/10725 (53.50%) Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_Watch.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_WatchWithDefaults.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_WatchWithOwnWatchHost.ts @@ -28,13 +28,9 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/accessorInferredReturnT Mismatch: tasks/coverage/typescript/tests/cases/compiler/accessorWithRestParam.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasOfGenericFunctionWithRestBehavedSameAsUnaliased.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasOnMergedModuleInterface.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasUsageInGenericFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasUsageInObjectLiteral.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasUsageInOrExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasUsedAsNameValue.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasesInSystemModule1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasesInSystemModule2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/allowImportClausesToMergeWithTypes.ts tasks/coverage/typescript/tests/cases/compiler/allowJsCrossMonorepoPackage.ts Unexpected estree file content error: 2 != 4 @@ -47,14 +43,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/alwaysStrictModule4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/alwaysStrictModule5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/alwaysStrictModule6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientClassMergesOverloadsWithInterface.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientConstLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientEnum1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientEnumElementInitializer1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientEnumElementInitializer2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientEnumElementInitializer3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientEnumElementInitializer4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientEnumElementInitializer5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientEnumElementInitializer6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientExportDefaultErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientExternalModuleInAnotherExternalModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientExternalModuleWithInternalImportDeclaration.ts @@ -79,134 +68,61 @@ tasks/coverage/typescript/tests/cases/compiler/amdLikeInputDeclarationEmit.ts Unexpected estree file content error: 2 != 3 Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdModuleBundleNoDuplicateDeclarationEmitComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdModuleConstEnumUsage.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdModuleName1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/anonClassDeclarationEmitIsAnon.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/anonymousClassDeclarationDoesntPrintWithReadonly.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/anonymousClassExpression2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/anyAndUnknownHaveFalsyComponents.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/anyMappedTypesError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/argumentsAsPropertyName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/argumentsAsPropertyName2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/argumentsSpreadRestIterables.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/argumentsUsedInClassFieldInitializerOrStaticInitializationBlock.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/argumentsUsedInObjectLiteralProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arityErrorRelatedSpanBindingPattern.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayAssignmentTest1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayAssignmentTest2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayAssignmentTest3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayAssignmentTest4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayBestCommonTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayBindingPatternOmittedExpressions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayCast.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayConcat3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayConcatMap.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayDestructuringInSwitch1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayDestructuringInSwitch2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayFilter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayFind.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayFrom.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/arrayFromAsync.ts `await` is only allowed within async functions and at the top levels of modules -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayLiteralComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayLiteralInNonVarArgParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayLiteralTypeInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayOfExportedClass.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/arraySigChecking.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayToLocaleStringES2015.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayToLocaleStringES2020.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayToLocaleStringES5.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/arrowFunctionErrorSpan.ts Line terminator not permitted before arrow Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrowFunctionParsingDoesNotConfuseParenthesizedObjectForArrowHead.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrowFunctionParsingGenericInObject.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrowFunctionWithObjectLiteralBody5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrowFunctionWithObjectLiteralBody6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asiAmbientFunctionDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asiBreak.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asiContinue.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/asiInES6Classes.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/asiReturn.ts A 'return' statement can only be used within a function body. Mismatch: tasks/coverage/typescript/tests/cases/compiler/assertionFunctionWildcardImport1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assertionFunctionsCanNarrowByDiscriminant.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assign1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignToEnum.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignToExistingClass.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignToFn.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/assignToInvalidLHS.ts Cannot assign to this expression -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompat1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatBug2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatBug3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatBug5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatForEnums.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatFunctionsWithOptionalArgs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability10.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability11.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability12.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability13.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability14.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability15.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability16.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability17.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability18.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability19.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability20.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability21.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability22.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability23.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability24.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability25.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability26.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability27.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability28.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability29.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability30.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability31.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability32.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability33.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability34.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability35.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability36.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability37.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability38.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability39.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability40.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability41.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability42.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability43.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability46.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability8.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability9.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability_checking-apply-member-off-of-function-interface.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability_checking-call-member-off-of-function-interface.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentIndexedToPrimitives.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentNestedInLiterals.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentNonObjectTypeConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentRestElementWithErrorSourceType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentToAnyArrayRestParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentToExpandingArrayType.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/assignmentToInstantiationExpression.ts The left-hand side of an assignment expression must be a variable or a property access. -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentToObject.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentToObjectAndFunction.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/assignmentToParenthesizedExpression1.ts Cannot assign to this expression Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentToReferenceTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncArrowInClassES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncFunctionReturnExpressionErrorSpans.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncFunctionReturnType.2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncFunctionTempVariableScoping.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncFunctionsAcrossFiles.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncFunctionsAndStrictNullChecks.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncIteratorExtraParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncYieldStarContextualType.ts @@ -223,7 +139,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesClass3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesClass4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesEnum2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesEnum3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesExternalModule1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesInterface.ts @@ -234,9 +149,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesModules4. Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesVar.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/autoAsiForStaticsInClassDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/autoTypeAssignedUsingDestructuringFromNeverNoCrash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/autolift3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/autolift4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/autonumberingInEnums.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/avoidCycleWithVoidExpressionReturnedFromArrow.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/avoidListingPropertiesForTypesWithOnlyCallOrConstructSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/avoidNarrowingUsingConstVariableFromBindingElementWithLiteralInitializer.ts @@ -258,37 +171,27 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/baseConstraintOfDecorat Mismatch: tasks/coverage/typescript/tests/cases/compiler/baseExpressionTypeParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/baseTypeAfterDerivedType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bestChoiceType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/bestCommonTypeWithContextualTyping.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bigintWithLib.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bigintWithoutLib.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/binaryArithmeticControlFlowGraphNotTooLarge.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bind2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bindingPatternCannotBeOnlyInferenceSource.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/bindingPatternContextualTypeDoesNotCauseWidening.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bindingPatternOmittedExpressionNesting.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedBindingCaptureThisInFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedBindingUsedBeforeDef.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedBindingsReassignedInLoop2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedBindingsReassignedInLoop3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedBindingsReassignedInLoop6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedEnumVariablesUseBeforeDef.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedEnumVariablesUseBeforeDef_isolatedModules.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedEnumVariablesUseBeforeDef_preserve.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedEnumVariablesUseBeforeDef_verbatimModuleSyntax.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedFunctionDeclarationInStrictModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedNamespaceDifferentFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedVariablesUseBeforeDef.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bluebirdStaticThis.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bom-utf8.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/booleanFilterAnyArray.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/booleanLiteralsContextuallyTypedFromUnion.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/builtinIterator.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cachedContextualTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cachedModuleResolution1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cachedModuleResolution2.ts @@ -298,7 +201,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/cachedModuleResolution5 Mismatch: tasks/coverage/typescript/tests/cases/compiler/callOfConditionalTypeWithConcreteBranches.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/callsOnComplexSignatures.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/cannotIndexGenericWritingError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/captureThisInSuperCall.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop12.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop13.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop1_ES6.ts @@ -317,10 +219,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop8 Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop9.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop9_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedParametersInInitializers1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedShorthandPropertyAssignmentNoCheck.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/castExpressionParentheses.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/castParentheses.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/castTest.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cf.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/chainedAssignment1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/chainedAssignmentChecking.ts @@ -345,7 +244,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThi Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccessing6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccessing7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccessing8.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkerInitializationCrash.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkingObjectWithThisInNamePositionNoCrash.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularBaseConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularBaseTypes.ts @@ -373,19 +271,13 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/classDeclaredBeforeClas Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExpressionNames.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/classExpressionPropertyModifiers.ts Expected a semicolon or an implicit semicolon after a statement, but found none -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExpressionTest1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExpressionTest2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExpressionWithResolutionOfNamespaceOfSameName01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExpressionWithStaticProperties2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExpressionWithStaticPropertiesES62.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExtendingAbstractClassWithMemberCalledTheSameAsItsOwnTypeParam.ts tasks/coverage/typescript/tests/cases/compiler/classExtendingAny.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExtendsAcrossFiles.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExtendsNull.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExtendsNull2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classFieldSuperAccessible.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classFunctionMerging.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/classHeritageWithTrailingSeparator.ts Expected `{` but found `EOF` @@ -402,25 +294,18 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/classNonUniqueSymbolMet Mismatch: tasks/coverage/typescript/tests/cases/compiler/classPropInitializationInferenceWithElementAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classReferencedInContextualParameterWithinItsOwnBaseExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classSideInheritance3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classStaticInitializersUsePropertiesBeforeDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classStaticPropertyTypeGuard.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classTypeParametersInStatics.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classUsedBeforeInitializedVariables.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classVarianceCircularity.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classVarianceResolveCircularity1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classVarianceResolveCircularity2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classdecl.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/clinterfaces.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/cloduleGenericOnSelfMember.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cloduleTest1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cloduleWithPriorInstantiatedModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cloduleWithPriorUninstantiatedModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/clodulesDerivedClasses.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences8.ts @@ -432,16 +317,13 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsFunct Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsFunctionExpressions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsInType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsInterfaceMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionCodeGenEnumWithEnumMemberConflict.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionCodeGenModuleWithConstructorChildren.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionCodeGenModuleWithEnumMemberConflict.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndAmbientClass.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndAmbientEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndAmbientFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndAmbientFunctionInGlobalFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndAmbientModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndAmbientVar.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndInternalModuleAlias.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndUninstantiatedModule.ts @@ -453,19 +335,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterF Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterInType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterInterfaceMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterUnderscoreIUsage.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionSuperAndLocalFunctionInProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionSuperAndLocalVarInProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionSuperAndParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionSuperAndPropertyNameAsConstuctorParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndEnumInGlobal.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndLocalVarInAccessors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndLocalVarInConstructor.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndLocalVarInLambda.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndLocalVarInMethod.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndLocalVarInProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndPropertyNameAsConstuctorParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commaOperatorInConditionalExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commaOperatorLeftSideUnused.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentEmitAtEndOfFile1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentEmitOnParenthesizedAssertionInReturnStatement.ts @@ -511,12 +382,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentWithUnreasonable Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAfterCaseClauses1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAfterCaseClauses2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAfterCaseClauses3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAfterFunctionExpression1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAfterSpread.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsArgumentsOfCallExpression1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsArgumentsOfCallExpression2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAtEndOfFile1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsBeforeFunctionExpression1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsBeforeVariableStatement1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsClass.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsClassMembers.ts @@ -533,14 +402,9 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsModules.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsMultiModuleMultiFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsMultiModuleSingleFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnJSXExpressionsArePreserved.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnObjectLiteral2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnObjectLiteral3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnObjectLiteral4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnObjectLiteral5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnPropertyOfObjectLiteral1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnRequireStatement.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOverloads.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsPropertySignature1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsVarDecl.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsVariableStatement1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsdoNotEmitComments.ts @@ -555,26 +419,21 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/complexClassRelationshi Mismatch: tasks/coverage/typescript/tests/cases/compiler/complexNarrowingWithAny.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/complexRecursiveCollections.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/complicatedIndexedAccessKeyofReliesOnKeyofNeverUpperBound.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/complicatedIndexesOfIntersectionsAreInferencable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/complicatedPrivacy.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/compositeContextualSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/compositeGenericFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedEnumMemberSyntacticallyString.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedEnumMemberSyntacticallyString2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedEnumTypeWidening.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesInDestructuring1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesInDestructuring1_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesInDestructuring2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesInDestructuring2_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesNarrowed.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesWithSetterAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertyNameWithImportedKey.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedTypesKeyofNoIndexSignatureType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computerPropertiesInES5ShouldBeTransformed.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/concatClassAndString.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalEqualityOnLiteralObjects.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalEqualityTestingNullability.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalExpressions2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeAnyUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeAssignabilityWhenDeferred.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeBasedContextualTypeReturnTypeWidening.ts @@ -606,42 +465,26 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/constDeclaration Lexical declaration cannot appear in a single-statement context Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarations2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumBadPropertyNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumExternalModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumMergingWithValues1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumMergingWithValues2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumMergingWithValues3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumMergingWithValues4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumMergingWithValues5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumNamespaceReferenceCausesNoImport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumNamespaceReferenceCausesNoImport2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumNoEmitReexport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumNoPreserveDeclarationReexport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumOnlyModuleMerging.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumPreserveEmitNamedExport1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumPreserveEmitNamedExport2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumPreserveEmitReexport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumSyntheticNodesComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumToStringNoComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumToStringWithComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnums.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/constInClassExpression.ts A class member cannot have the 'const' keyword. Mismatch: tasks/coverage/typescript/tests/cases/compiler/constIndexedAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constWithNonNull.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constantEnumAssert.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constraintCheckInGenericBaseTypeReference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constraintOfRecursivelyMappedTypeWithConditionalIsResolvable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constraintReferencingTypeParameterFromSameTypeParameterList.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constraintWithIndexedAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorArgs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorAsType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorOverloads4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorOverloads5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorOverloads9.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorParametersInVariableDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorReturningAPrimitive.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorStaticParamName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorWithParameterPropertiesAndPrivateFields.es2015.ts @@ -655,9 +498,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualOverloadListF Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualOverloadListFromUnionWithPrimitiveNoImplicitAny.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualPropertyOfGenericFilteringMappedType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualPropertyOfGenericMappedType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualReturnTypeOfIIFE.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualReturnTypeOfIIFE2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualReturnTypeOfIIFE3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSigInstantiationRestParams.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureConditionalTypeInstantiationUsingDefault.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureInArrayElementLibEs2015.ts @@ -665,60 +505,28 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureInAr Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureInObjectFreeze.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureInstantiation2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureInstantiation4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignature_objectLiteralMethodMayReturnNever.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTupleTypeParameterReadonly.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeAny.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeAppliedToVarArgs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeArrayReturnType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeBasedOnIntersectionWithAnyInTheMix1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeBasedOnIntersectionWithAnyInTheMix2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeBasedOnIntersectionWithAnyInTheMix3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeBasedOnIntersectionWithAnyInTheMix4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeBasedOnIntersectionWithAnyInTheMix5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeCaching.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeForInitalizedVariablesFiltersUndefined.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeFunctionObjectPropertyIntersection.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeIterableUnions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeLogicalOr.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeObjectSpreadExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeOfIndexedAccessParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeSelfReferencing.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeShouldBeLiteral.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypesNegatedTypeLikeConstraintInGenericMappedType1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypesNegatedTypeLikeConstraintInGenericMappedType2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypesNegatedTypeLikeConstraintInGenericMappedType3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping10.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping12.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping16.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping17.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping18.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping19.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping20.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping21.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping34.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping35.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping36.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping37.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping9.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingArrayDestructuringWithDefaults.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingFunctionReturningFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingOfAccessors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingOfObjectLiterals.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingOfObjectLiterals2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingOfOptionalMembers.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingOfTooShortOverloads.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingWithGenericAndNonGenericSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingWithGenericSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypeAsyncFunctionReturnTypeFromUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypeGeneratorReturnTypeFromUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedBooleanLiterals.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedByDiscriminableUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedGenericAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedJsxAttribute2.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedJsxChildren.tsx @@ -729,8 +537,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedParame Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedParametersWithInitializers4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedParametersWithQuestionToken.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedSymbolNamedProperties.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypingOrOperator.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypingOrOperator2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypingRestParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueLabel.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueNotInIterationStatement4.ts @@ -745,15 +551,12 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/contravariantInferenceA Mismatch: tasks/coverage/typescript/tests/cases/compiler/contravariantOnlyInferenceFromAnnotatedFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contravariantOnlyInferenceWithAnnotatedOptionalParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowAliasedDiscriminants.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowArrays.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowAutoAccessor1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowBreakContinueWithLabel.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowCaching.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowDestructuringLoop.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowDestructuringParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowDestructuringVariablesInTryCatch.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowFavorAssertedTypeThroughTypePredicate.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowForIndexSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowForStatementContinueIntoIncrementor1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowInitializedDestructuringVariables.ts tasks/coverage/typescript/tests/cases/compiler/controlFlowInstanceof.ts @@ -769,7 +572,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowPropertyInit Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowSelfReferentialLoop.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowUnionContainingTypeParameter1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowWithIncompleteTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/convertClassExpressionToFunctionFromObjectProperty2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/convertKeywordsYes.ts Classes can't have a field named 'constructor' Mismatch: tasks/coverage/typescript/tests/cases/compiler/copyrightWithNewLine1.ts @@ -793,8 +595,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileClassWithStatic Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileConstructSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileConstructors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileEmitDeclarationOnly.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileEnumUsedAsValue.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileEnums.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileExportAssignmentImportInternalModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileForExportedImport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileForInterfaceWithRestParams.ts @@ -804,18 +604,11 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileGenericType2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileImportChainInExportAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileImportModuleWithExportAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileMethods.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileModuleAssignmentInObjectLiteralProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileModuleContinuation.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileObjectLiteralWithAccessors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileObjectLiteralWithOnlyGetter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileObjectLiteralWithOnlySetter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileRegressionTests.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileRestParametersOfFunctionAndFunctionType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileTypeAnnotationBuiltInType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileTypeAnnotationTypeLiteral.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileTypeAnnotationVisibilityErrorTypeLiteral.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileTypeofEnum.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileTypeofInAnonymousType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithClassNameConflictingWithClassReferredByExtendsClause.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithErrorsInInputDeclarationFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithErrorsInInputDeclarationFileWithOut.ts @@ -823,8 +616,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithExtendsClau Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithInternalModuleNameConflictsInExtendsClause1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithInternalModuleNameConflictsInExtendsClause2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithInternalModuleNameConflictsInExtendsClause3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declInput.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declInput3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationAssertionNodeNotReusedWhenTypeNotEquivalent1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitAliasFromIndirectFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitAmdModuleDefault.ts @@ -845,19 +636,14 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCastReus Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCastReusesTypeNode5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassInherritsAny.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassMemberNameConflict.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassMemberNameConflict2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassMemberWithComputedPropertyName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassMixinLocalClassDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassPrivateConstructor.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassPrivateConstructor2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCommonSourceDirectoryDoesNotContainAllFiles.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedNameCausesImportToBePainted.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedNameConstEnumAlias.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedNameWithQuestionToken.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedNamesInaccessible.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedPropertyName1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedPropertyNameEnum1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedPropertyNameEnum3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitConstantNoWidening.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCrossFileCopiedGeneratedImportType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCrossFileImportTypeOfAmbientModule.ts @@ -869,7 +655,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultE Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport8.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExportWithStaticAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExportWithTempVarName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExportWithTempVarNameWithBundling.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuring1.ts @@ -889,12 +674,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDetached Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDetachedComment2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDistributiveConditionalWithInfer.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDuplicateParameterDestructuring.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitEnumReadonlyProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitEnumReferenceViaImportEquals.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExactOptionalPropertyTypesNodeNotReused.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExpandoWithGenericConstraint.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExportAliasVisibiilityMarking.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExportAssignedNamespaceNoTripleSlashTypesReference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExpressionInExtends3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExpressionInExtends6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExpressionInExtends7.ts @@ -938,8 +719,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMappedTy Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMappedTypePropertyFromNumericStringKey.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMappedTypeTemplateTypeofSymbol.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMergedAliasWithConst.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMixinPrivateProtected.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitModuleWithScopeMarker.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMonorepoBaseUrl.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMultipleComputedNamesSameDomain.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNameConflicts.ts @@ -956,7 +735,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNonExpor Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitObjectAssignedDefaultExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitObjectLiteralAccessors1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOfFuncspace.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOfTypeofAliasedExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOptionalMappedTypePropertyNoStrictNullChecks1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOptionalMappedTypePropertyNoStrictNullChecks2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOptionalMappedTypePropertyNoStrictNullChecks3.ts @@ -964,10 +742,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOptional Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOptionalMethod.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOverloadedPrivateInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitParameterProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPathMappingMonorepo2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPrefersPathKindBasedOnBundling.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPrefersPathKindBasedOnBundling2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPreserveReferencedImports.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPreservesHasNoDefaultLibDirective.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPrivateAsync.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPrivateNameCausesError.ts @@ -977,24 +751,17 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPromise. Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPropertyNumericStringKey.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitProtectedMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitQualifiedAliasTypeArgument.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitReadonlyComputedProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitRecursiveConditionalAliasPreserved.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitReexportedSymlinkReference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitReexportedSymlinkReference2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitReexportedSymlinkReference3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitResolveTypesIfNotReusable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitRetainedAnnotationRetainsImportInOutput.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitRetainsJsdocyComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitScopeConsistency3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitShadowingInferNotRenamed.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitSimpleComputedNames1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitSpreadStringlyKeyedEnum.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitStringEnumUsedInNonlocalSpread.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitSymlinkPaths.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitToDeclarationDirWithCompositeOption.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitToDeclarationDirWithDeclarationOption.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitToDeclarationDirWithoutCompositeAndDeclarationOptions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTopLevelNodeFromCrossFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTopLevelNodeFromCrossFile2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTransitiveImportOfHtmlDeclarationItem.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTripleSlashReferenceAmbientModule.ts @@ -1009,11 +776,9 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeAlia Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeParamMergedWithPrivate.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeParameterNameReusedInOverloads.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeParameterNameShadowedInternally.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeofDefaultExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeofRest.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeofThisInClass.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitUnknownImport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitUnnessesaryTypeReferenceNotAdded.ts tasks/coverage/typescript/tests/cases/compiler/declarationEmitUsingAlternativeContainingModules1.ts Unexpected estree file content error: 2 != 3 @@ -1023,29 +788,19 @@ Unexpected estree file content error: 2 != 3 Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitUsingTypeAlias1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitUsingTypeAlias2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitVarInElidedBlock.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitWithComposite.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitWithDefaultAsComputedName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitWithDefaultAsComputedName2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitWithInvalidPackageJsonTypings.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationFileNoCrashOnExtraExportModifier.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationFilesGeneratingTypeReferences.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationFilesWithTypeReferences3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationFilesWithTypeReferences4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationFunctionTypeNonlocalShouldNotBeAnError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationImportTypeAliasInferredAndEmittable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationMaps.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationMapsMultifile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationMapsOutFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationMapsOutFile2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationMapsWithSourceMap.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationMapsWithoutDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationNoDanglingGenerics.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationQuotedMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationTypecheckNoUseBeforeReferenceCheck.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationsForFileShadowingGlobalNoError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationsForIndirectTypeAliasReference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationsForInferredTypeFromOtherFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationsIndirectGeneratedAliasReference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationsWithRecursiveInternalTypesProduceUniqueTypeParams.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/declareAlreadySeen.ts declare' modifier already seen. @@ -1063,28 +818,17 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataNoLibI Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataOnInferredType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataRestParameterWithImportedType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataWithConstructorType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataWithImportDeclarationNameCollision5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataWithImportDeclarationNameCollision6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataWithImportDeclarationNameCollision7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorReferenceOnOtherProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorReferences.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deduplicateImportsInSystem.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deepComparisons.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/deepElaborationsIntoArrowExpressions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/deepExcessPropertyCheckingWhenTargetIsIntersection.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deepKeysIndexing.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/deeplyNestedAssignabilityErrorsCombined.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/deeplyNestedAssignabilityIssue.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deeplyNestedCheck.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deeplyNestedConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deeplyNestedMappedTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deeplyNestedTemplateLiteralIntersection.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultDeclarationEmitDefaultImport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultDeclarationEmitNamedCorrectly.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultDeclarationEmitShadowedNamedCorrectly.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultIndexProps1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultIndexProps2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultIsNotVisibleInLocalScope.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultNamedExportWithType1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultNamedExportWithType2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultNamedExportWithType3.ts @@ -1103,8 +847,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/deferredLookupTypeResol Mismatch: tasks/coverage/typescript/tests/cases/compiler/definiteAssignmentOfDestructuredVariable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deleteExpressionMustBeOptional.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deleteExpressionMustBeOptional_exactOptionalPropertyTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/deleteReadonly.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/derivedClassConstructorWithExplicitReturns01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/derivedTypeCallingBaseImplWithOptionalParams.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructureCatchClause.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructureComputedProperty.ts @@ -1140,7 +882,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringWithNewExp Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringWithNumberLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/detachedCommentAtStartOfLambdaFunction1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/detachedCommentAtStartOfLambdaFunction2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/didYouMeanElaborationsForExpressionsWhichCouldBeCalled.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminableUnionWithIntersectedMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantElementAccessCheck.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantNarrowingCouldBeCircular.ts @@ -1150,12 +891,9 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantUsingEvalua Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantsAndNullOrUndefined.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantsAndPrimitives.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantsAndTypePredicates.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminateObjectTypesOnly.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminateWithMissingProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminateWithOptionalProperty2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminateWithOptionalProperty3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminateWithOptionalProperty4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminatedUnionErrorMessage.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminatedUnionJsxElement.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminatedUnionWithIndexSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminatingUnionWithUnionPropertyAgainstUndefinedWithoutStrictNullChecks.ts @@ -1176,7 +914,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitPinnedDetached Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitTripleSlashCommentsInEmptyFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitTripleSlashCommentsOnNotEmittedNode.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotInferUnrelatedTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotWidenAtObjectLiteralPropertyAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotemitTripleSlashComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doWhileUnreachableCode.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doYouNeedToChangeYourTargetLibraryES2015.ts @@ -1185,9 +922,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/doYouNeedToChangeYourTa Mismatch: tasks/coverage/typescript/tests/cases/compiler/dottedModuleName2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/dottedNamesInSystem.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doubleMixinConditionalTypeBaseClassWorks.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/doubleUnderscoreEnumEmit.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doubleUnderscoreLabels.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/doubleUnderscoreMappedTypes.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst11.ts Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst12.ts @@ -1195,7 +930,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst13.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst14.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst15.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst16.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst18.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst2.ts Missing initializer in const declaration Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst4.ts @@ -1206,13 +940,10 @@ tasks/coverage/typescript/tests/cases/compiler/dtsEmitTripleSlashAvoidUnnecessar Unexpected estree file content error: 2 != 3 Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateDefaultExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateErrorAssignability.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateErrorClassExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateErrorNameNotFound.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierBindingElementInParameterDeclaration1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierBindingElementInParameterDeclaration2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierDifferentModifiers.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierDifferentSpelling.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierRelatedSpans6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierRelatedSpans7.ts @@ -1224,15 +955,9 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLabel4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLocalVariable1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLocalVariable2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLocalVariable4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateObjectLiteralProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateObjectLiteralProperty_computedName1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateObjectLiteralProperty_computedName2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateObjectLiteralProperty_computedName3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateObjectLiteralProperty_computedNameNegative1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicatePackage_packageIdIncludesSubModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicatePackage_referenceTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicatePackage_subModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicatePropertiesInStrictMode.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateStringNamedProperty1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateSymbolsExportMatching.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateVarAndImport.ts @@ -1243,13 +968,11 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicImportEvaluateSp Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicImportInDefaultExportExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicImportWithNestedThis_es2015.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicImportWithNestedThis_es5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicImportsDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicModuleTypecheckError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicNamesErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/elaboratedErrorsOnNullableTargets01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/elementAccessExpressionInternalComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/elidedEmbeddedStatementsReplacedWithSemicolon.ts tasks/coverage/typescript/tests/cases/compiler/elidedJSImport1.ts Unexpected estree file content error: 1 != 2 @@ -1264,13 +987,11 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitCapturingThisInTupl Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitCapturingThisInTupleDestructuring2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitClassExpressionInDeclarationFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitClassExpressionInDeclarationFile2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitClassMergedWithConstNamespaceNotElided.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitCommentsOnlyFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitDecoratorMetadata_restArgs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitHelpersWithLocalCollisions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitMemberAccessExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitMethodCalledNew.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitOneLineVariableDeclarationRemoveCommentsFalse.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitPinnedCommentsOnTopOfFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitPreComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSkipsThisWithRestParameter.ts @@ -1280,92 +1001,43 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSuperCallBeforeEmit Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSuperCallBeforeEmitPropertyDeclaration1ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSuperCallBeforeEmitPropertyDeclarationAndParameterPropertyDeclaration1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSuperCallBeforeEmitPropertyDeclarationAndParameterPropertyDeclaration1ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitThisInObjectLiteralGetter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitTopOfFileTripleSlashCommentOnNotEmittedNodeIfRemoveCommentsIsFalse.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyArrayDestructuringExpressionVisitedByTransformer.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyModuleName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyObjectNotSubtypeOfIndexSignatureContainingObject1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyObjectNotSubtypeOfIndexSignatureContainingObject2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyOptionalBindingPatternInDeclarationSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumAssignmentCompat.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumAssignmentCompat2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumAssignmentCompat3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumAssignmentCompat4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumAssignmentCompat5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumAssignmentCompat6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumAssignmentCompat7.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumBasics1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumBasics2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumBasics3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumCodeGenNewLines1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumDecl1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumDeclarationEmitInitializerHasImport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumFromExternalModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumGenericTypeClash.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/enumIdentifierLiterals.ts An enum member cannot have a numeric name. -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumIndexer.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumInitializersWithExponents.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumKeysQuotedAsObjectPropertiesInDeclarationEmit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumLiteralAssignableToEnumInsideUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumLiteralUnionNotWidened.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumLiteralsSubtypeReduction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumMapBackIntoItself.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumMemberReduction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumNegativeLiteral1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumNoInitializerFollowsNonLiteralInitializer.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumNumbering1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumOperations.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumPropertyAccess.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumPropertyAccessBeforeInitalisation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumUsedBeforeDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithComputedMember.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithInfinityProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithNaNProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithNegativeInfinityProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithNonLiteralStringInitializer.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithPrimitiveName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithQuotedElementName1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithQuotedElementName2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithUnicodeEscape1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithoutInitializerAfterComputedMember.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumsWithMultipleDeclarations1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumsWithMultipleDeclarations2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumsWithMultipleDeclarations3.ts tasks/coverage/typescript/tests/cases/compiler/erasableSyntaxOnly.ts Unexpected estree file content error: 1 != 4 tasks/coverage/typescript/tests/cases/compiler/erasableSyntaxOnlyDeclaration.ts Unexpected estree file content error: 1 != 5 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorCause.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorConstructorSubtypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorElaboration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorElaborationDivesIntoApparentlyPresentPropsOnly.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorForBareSpecifierWithImplicitModuleResolutionNone.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorForConflictingExportEqualsValue.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorForUsingPropertyOfTypeAsType03.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorForwardReferenceForwadingConstructor.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorInfoForRelatedIndexTypesNoConstraintElaboration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorMessageOnIntersectionsWithDiscriminants01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorMessagesIntersectionTypes01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorMessagesIntersectionTypes02.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorOnEnumReferenceInCondition.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorOnUnionVsObjectShouldDeeplyDisambiguate.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorOnUnionVsObjectShouldDeeplyDisambiguate2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorsForCallAndAssignmentAreSimilar.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorsOnUnionsOfOverlappingObjects01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorsWithInvokablesInUnions01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es2015modulekind.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es2015modulekindWithES6Target.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es2018ObjectAssign.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionDoStatements.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionForOfStatements.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionLongObjectLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionNestedLoops.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionObjectLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionWhileStatements.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs2.ts @@ -1385,12 +1057,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-yieldFunctionObject Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultClassDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultClassDeclaration2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultClassDeclaration3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultClassDeclaration4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultFunctionDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultFunctionDeclaration2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultFunctionDeclaration3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultFunctionDeclaration4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultIdentifier.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportEquals.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportEqualsDts.ts @@ -1398,7 +1068,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ModuleInternalNamedI Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ModuleWithModuleGenAmd.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ModuleWithModuleGenCommonjs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ModuleWithoutModuleGenTarget.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5SetterparameterDestructuringNotElided.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5andes6module.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6-umd2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ClassTest.ts @@ -1416,23 +1085,16 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportDefaultFunctio Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportDefaultIdentifier.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportEquals.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportEqualsInterop.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBinding.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingAmd.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingDts.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImport1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImport1InEs5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImport1WithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImportDts1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImportWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamespaceBinding1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamespaceBinding1InEs5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamespaceBinding1WithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamespaceBindingDts1.ts +Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImport1WithExport.ts +Expected `=` but found `,` +Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImportWithExport.ts +Expected `=` but found `,` +Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamespaceBinding1WithExport.ts +Expected `=` but found `,` Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamespaceBindingWithExport.ts Expected `=` but found `,` -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingMergeErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingWithExport.ts +Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingWithExport.ts +Expected `=` but found `from` Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportNameSpaceImportWithExport.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportNamedImportWithExport.ts @@ -1454,12 +1116,9 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleModuleDeclarat Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleVariableStatement.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleWithModuleGenTargetAmd.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleWithModuleGenTargetCommonjs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6UseOfTopLevelRequire.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/esDecoratorsClassFieldsCrash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/esModuleInteropDefaultImports.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/esModuleInteropImportDefaultWhenAllNamedAreDefaultAlias.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/esModuleInteropImportTSLibHasImport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/esModuleInteropNamedDefaultImports.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/esModuleInteropTslibHelpers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/esModuleInteropUsesExportStarWhenDefaultPlusNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/esNextWeakRefs_IterableWeakMap.ts @@ -1469,34 +1128,25 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/evalOrArgumentsInDeclar Mismatch: tasks/coverage/typescript/tests/cases/compiler/eventEmitterPatternWithRecordOfFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/evolvingArrayTypeInAssert.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exactSpellingSuggestion.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertiesInOverloads.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckIntersectionWithIndexSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckIntersectionWithRecursiveType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckWithEmptyObject.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckWithMultipleDiscriminants.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckWithNestedArrayIntersection.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckWithSpread.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckWithUnions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckingIntersectionWithConditional.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyChecksWithNestedIntersections.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyErrorForFunctionTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyErrorsSuppressed.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessivelyLargeTupleSpread.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exhaustiveSwitchCheckCircularity.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exhaustiveSwitchWithWideningLiteralTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionBlockShadowing.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionContextualTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionContextualTypesJSDocInTs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionContextualTypesNoValue.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionExpressionsWithDynamicNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionNestedAssigments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionNestedAssigmentsDeclared.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionNullishProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionSymbolProperty.ts tasks/coverage/typescript/tests/cases/compiler/expandoFunctionSymbolPropertyJs.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/explicitAnyAfterSpreadNoImplicitAnyError.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/exportAlreadySeen.ts 'export' modifier cannot be used here. Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportArrayBindingPattern.ts @@ -1505,9 +1155,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAsNamespaceConfli Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignClassAndModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignValueAndType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignedTypeAsTypeAnnotation.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentImportMergeNoCrash.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentOfDeclaredExternalModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentOfGenericType1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentWithDeclareAndExportModifiers.ts @@ -1524,30 +1172,22 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportClassExtendingInt Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDeclarationForModuleOrEnumWithMemberOfSameName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDeclarationsInAmbientNamespaces.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDeclareClass1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultAbstractClass.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultAlias_excludesEverything.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultAsyncFunction.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/exportDefaultAsyncFunction2.ts Cannot use `await` as an identifier in an async context Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultClassAndValue.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultClassInNamespace.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultDuplicateCrash.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultForNonInstantiatedModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultFunctionInNamespace.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultImportedType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterface.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterfaceAndFunctionOverloads.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterfaceAndTwoFunctions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterfaceAndValue.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterfaceClassAndFunctionOverloads.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterfaceClassAndValue.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultMissingName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultParenthesize.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultParenthesizeES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultProperty2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultQualifiedNameNoError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultStripsFreshness.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultTypeAndClass.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultTypeAndFunctionOverloads.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultTypeClassAndValue.ts @@ -1568,14 +1208,11 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsAmd.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsClassNoRedeclarationError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsClassRedeclarationError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsCommonJs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsDefaultProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsProperty2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsUmd.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportImportAndClodule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportImportCanSubstituteConstEnumForValue.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportImportNonInstantiatedModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportImportNonInstantiatedModule2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportInterfaceClassAndValue.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportInterfaceClassAndValueWithDuplicatesInImportList.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportNamespaceDeclarationRetainsVisibility.ts @@ -1592,20 +1229,16 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportedBlockScopedDecl Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportedInterfaceInaccessibleInCallbackInModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportedVariable1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportingContainingVisibleType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportsInAmbientModules2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/expr.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/expressionWithJSDocTypeArguments.ts Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/compiler/expressionsForbiddenInParameterInitializers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/extendBaseClassBeforeItsDeclared.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/extendingClassFromAliasAndUsageInIndexer.ts tasks/coverage/typescript/tests/cases/compiler/extendsUntypedModule.ts Unexpected estree file content error: 1 != 3 Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleAssignToVar.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleImmutableBindings.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleQualification.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleReferenceDoubleUnderscore1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleRefernceResolutionOrderInImportDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleWithoutCompilerFlag1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/extractInferenceImprovement.ts @@ -1613,15 +1246,13 @@ tasks/coverage/typescript/tests/cases/compiler/fakeInfinity1.ts serde_json::from_str(oxc_json) error: number out of range at line 32 column 27 tasks/coverage/typescript/tests/cases/compiler/fakeInfinity2.ts -serde_json::from_str(oxc_json) error: number out of range at line 42 column 29 +serde_json::from_str(oxc_json) error: number out of range at line 46 column 31 tasks/coverage/typescript/tests/cases/compiler/fakeInfinity3.ts -serde_json::from_str(oxc_json) error: number out of range at line 42 column 29 +serde_json::from_str(oxc_json) error: number out of range at line 46 column 31 Mismatch: tasks/coverage/typescript/tests/cases/compiler/fallbackToBindingPatternForTypeInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/fatArrowSelf.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/fatarrowfunctions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/fatarrowfunctionsInFunctions.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/fatarrowfunctionsOptionalArgsErrors1.ts A rest parameter cannot be optional Mismatch: tasks/coverage/typescript/tests/cases/compiler/fatarrowfunctionsOptionalArgsErrors4.ts @@ -1632,18 +1263,14 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/fileWithNextLine2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/fileWithNextLine3.ts A 'return' statement can only be used within a function body. Mismatch: tasks/coverage/typescript/tests/cases/compiler/flatArrayNoExcessiveStackDepth.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/flowControlTypeGuardThenSwitch.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/forLoopEndingMultilineComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/forLoopWithDestructuringDoesNotElideFollowingStatement.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/forOfTransformsExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/forwardRefInEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/forwardRefInTypeDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/freshLiteralInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/freshLiteralTypesInIntersections.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/funcdecl.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionAndInterfaceWithSeparateErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionArgShadowing.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall10.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall13.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall14.ts @@ -1654,27 +1281,12 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall18.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCallOnConstrainedTypeVariable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionDeclarationWithResolutionOfTypeNamedArguments01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionDeclarationWithResolutionOfTypeOfSameName01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionExpressionShadowedByParams.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionExpressionWithResolutionOfTypeNamedArguments01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionExpressionWithResolutionOfTypeOfSameName01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionExpressionWithResolutionOfTypeOfSameName02.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionInIfStatementInModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionLikeInParameterInitializer.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionMergedWithModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads14.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads17.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads18.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads19.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads22.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads35.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads36.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads38.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads39.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads40.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads42.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads43.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads44.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloads45.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloadsOnGenericArity1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloadsRecursiveGenericReturnType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionReturnTypeQuery.ts @@ -1683,20 +1295,15 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionSubtypingOfVarA Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionTypeArgumentArityErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionWithAnyReturnTypeAndNoReturnExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionWithDefaultParameterWithNoStatements4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionsWithImplicitReturnTypeAssignableToUndefined.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/fuzzy.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/generatorES6InAMDModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/generatorES6_4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericArray1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericArrayExtenstions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericArrayMethods1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericAssignmentCompatWithInterfaces1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericCallInferenceConditionalType1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericCallInferenceConditionalType2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericCallInferenceWithGenericLocalFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericCallOnMemberReturningClosedOverObject.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericCallWithObjectLiteralArguments1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericCallWithinOwnBodyCastTypeParameterIdentity.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericClassImplementingGenericInterfaceFromAnotherModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericClassPropertyInheritanceSpecialization.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericClassWithStaticFactory.ts @@ -1708,7 +1315,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericConstraint2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericConstraintDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericConstraintOnExtendedBuiltinTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericConstraintOnExtendedBuiltinTypes2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericConstraintSatisfaction1.ts tasks/coverage/typescript/tests/cases/compiler/genericDefaultsJs.ts Unexpected estree file content error: 1 != 2 @@ -1726,10 +1332,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericInterfaceFunctio Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericIsNeverEmptyObject.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericMappedTypeAsClause.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericMemberFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericObjectLitReturnType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericObjectSpreadResultInSwitch.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericRecursiveImplicitConstructorErrors1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericRecursiveImplicitConstructorErrors2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericRestArgs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericRestTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericReturnTypeFromGetter1.ts @@ -1744,15 +1348,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericTypeWithMultiple Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericWithCallSignatures1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericWithIndexerOfTypeParameterType2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericsAndHigherOrderFunctions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericsWithDuplicateTypeParameters1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericsWithoutTypeParameters1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/getParameterNameAtPosition.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/getSetEnumerable.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/getsetReturnTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/getterSetterNonAccessor.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/gettersAndSetters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/gettersAndSettersTypesAgree.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/globalIsContextualKeyword.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/globalThisCapture.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/higherOrderMappedIndexLookupInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/homomorphicMappedTypeNesting.ts @@ -1767,7 +1364,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/ifStatementInternalComm Mismatch: tasks/coverage/typescript/tests/cases/compiler/ignoredJsxAttributes.tsx Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/illegalModifiersOnClassElements.ts Expected a semicolon or an implicit semicolon after a statement, but found none -Mismatch: tasks/coverage/typescript/tests/cases/compiler/illegalSuperCallsInConstructor.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/implementArrayInterface.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/implementGenericWithMismatchedTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyDeclareFunctionExprWithoutFormalType.ts @@ -1780,11 +1376,9 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyFromCircular Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyFunctionInvocationWithAnyArguements.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyFunctionOverloadWithImplicitAnyReturnType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyFunctionReturnNullOrUndefined.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyGenericTypeInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyGetAndSetAccessorWithAnyReturnType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyInCatch.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyWidenToAny.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitIndexSignatures.ts tasks/coverage/typescript/tests/cases/compiler/impliedNodeFormatEmit1.ts Unexpected estree file content error: 3 != 10 @@ -1797,7 +1391,6 @@ Unexpected estree file content error: 3 != 10 tasks/coverage/typescript/tests/cases/compiler/impliedNodeFormatEmit4.ts Unexpected estree file content error: 3 != 10 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/impliedNodeFormatInterop1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importAliasFromNamespace.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importAliasInModuleAugmentation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importAnImport.ts @@ -1808,7 +1401,6 @@ Unexpected estree file content error: 2 != 3 Mismatch: tasks/coverage/typescript/tests/cases/compiler/importDeclWithExportModifier.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importDeclWithExportModifierAndExportAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importDeclarationUsedAsTypeQuery.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importElisionEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importElisionExportNonExportAndDefault.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importExportInternalComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpers.ts @@ -1829,10 +1421,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersSystem.ts tasks/coverage/typescript/tests/cases/compiler/importHelpersVerbatimModuleSyntax.ts Unexpected estree file content error: 2 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersWithImportOrExportDefault.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersWithImportOrExportDefaultNoTslib.1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersWithImportOrExportDefaultNoTslib.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersWithImportOrExportDefaultNoTslib.3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersWithLocalCollisions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importInTypePosition.ts tasks/coverage/typescript/tests/cases/compiler/importNonExportedMember10.ts @@ -1861,26 +1449,17 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/importTypeWithUnparenth Mismatch: tasks/coverage/typescript/tests/cases/compiler/importUsedAsTypeWithErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importUsedInExtendsList1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importUsedInGenericImportResolves.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importWithTrailingSlash.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importWithTrailingSlash_noResolve.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/import_unneeded-require-when-referenecing-aliased-type-throug-array.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importedAliasesInTypePositions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importedEnumMemberMergedWithExportedAliasIsError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importedModuleAddToGlobal.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importedModuleClassNameClash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importsInAmbientModules2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importsInAmbientModules3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inKeywordAndUnknown.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inOperatorWithFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/incompatibleTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/incorrectNumberOfTypeArgumentsDuringErrorReporting.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/incorrectRecursiveMappedTypeConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexClassByNumber.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexIntoEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexSignatureAndMappedType.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureMustHaveTypeAnnotation.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexSignatureOfTypeUnknownStillRequiresIndexSignature.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureTypeCheck.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureTypeCheck2.ts @@ -1892,24 +1471,19 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureWi Expected `]` but found `,` Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureWithoutTypeAnnotation1.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexSignaturesInferentialTyping.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexTypeCheck.ts Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexTypeNoSubstitutionTemplateLiteral.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexWithoutParamType.ts Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessAndNullableNarrowing.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessCanBeHighOrder.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessKeyofNestedSimplifiedSubstituteUnwrapped.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessNormalization.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessRelation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessRetainsIndexSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessTypeConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessWithFreshObjectLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessWithVariableElement.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexer.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexerA.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexerAsOptional.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexerConstraints2.ts @@ -1927,7 +1501,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferFromGenericFunctio Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferFromGenericFunctionReturnTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferFromGenericFunctionReturnTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferFromNestedSameShapeTuple.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferObjectTypeFromStringLiteralToKeyof.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferPropertyWithContextSensitiveReturnStatement.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferRestArgumentsMappedTuple.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferSecondaryParameter.ts @@ -1948,21 +1521,11 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceOptionalProper Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceOuterResultNotIncorrectlyInstantiatedWithInnerResult.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceShouldFailOnEvolvingArrays.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceUnionOfObjectsMappedContextualType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentialTypingObjectLiteralMethod1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentialTypingObjectLiteralMethod2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentialTypingUsingApparentType2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentialTypingUsingApparentType3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentialTypingWithFunctionTypeNested.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentialTypingWithFunctionTypeSyntacticScenarios.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentialTypingWithObjectLiteralProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentiallyTypingAnEmptyArray.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferredNonidentifierTypesGetQuotes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferredRestTypeFixedOnce.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferredReturnTypeIncorrectReuse1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferrenceInfiniteLoopWithSubtyping.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferringAnyFunctionType5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/infiniteConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedConstructorPropertyContextualType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedConstructorWithRestParams.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedConstructorWithRestParams2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedMembersAndIndexSignaturesFromDifferentBases.ts @@ -1970,7 +1533,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedStringIndexers Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedStringIndexersFromDifferentBaseTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/initializePropertiesWithRenamedLet.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/initializedParameterBeforeNonoptionalNotOptional.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/initializersInAmbientEnums.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inlineMappedTypeModifierDeclarationEmit.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inlineSourceMap2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/innerExtern.ts @@ -1984,8 +1546,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/instantiateContextualTy Mismatch: tasks/coverage/typescript/tests/cases/compiler/instantiateContextuallyTypedGenericThis.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/instantiatedTypeAliasDisplay.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/instantiationExpressionErrorNoCrash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/interface0.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceAssignmentCompat.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceContextualType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceDeclaration3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceDeclaration5.ts @@ -2000,7 +1560,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasClassInsid Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasClassInsideLocalModuleWithoutExportAccessError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasClassInsideTopLevelModuleWithExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasClassInsideTopLevelModuleWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasEnumInsideLocalModuleWithExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasEnumInsideLocalModuleWithoutExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasEnumInsideLocalModuleWithoutExportAccessError.ts @@ -2036,11 +1595,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionApparentTyp Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionConstraintReduction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionOfMixinConstructorTypeAndNonConstructorType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionOfTypeVariableHasApparentSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionPropertyCheck.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionReductionGenericStringLikeType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionSatisfiesConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionTypeInference1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionTypeNormalization.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionType_useDefineForClassFields.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionWithConstructSignaturePrototypeResult.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionsAndOptionalProperties2.ts @@ -2048,7 +1604,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionsAndReadonl Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionsOfLargeUnions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionsOfLargeUnions2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/intraBindingPatternReferences.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/invalidThisEmitInContextualObjectLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/invalidTripleSlashReference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/invalidTypeNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/invariantGenericErrorElaboration.ts @@ -2058,8 +1613,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/isDeclarationVisibleNod Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorTypes1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsClasses.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsClassesExpressions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsDefault.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsEnums.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsExpandoFunctions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsExpressions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsFunctionDeclarations.ts @@ -2072,14 +1625,10 @@ Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationsLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesAmbientConstEnum.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesConstEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesExportDeclarationType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesExportImportUninstantiatedNamespace.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesGlobalNamespacesAndEnums.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesImportConstEnum.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesImportConstEnumTypeOnly.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesImportExportElision.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesNoEmitOnError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesNonAmbientConstEnum.ts @@ -2221,7 +1770,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxCallElaborationCheck Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxCallbackWithDestructuring.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildWrongType.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildrenArrayWrongType.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildrenGenericContextualTypes.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildrenIndividualErrorElaborations.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildrenSingleChildConfusableWithMultipleChildrenNoError.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildrenWrongType.tsx @@ -2267,19 +1815,13 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxSpreadFirstUnionNoEr Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxViaImport.2.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxViaImport.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/keyRemappingKeyofResult.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/keyofDoesntContainSymbols.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/keyofIsLiteralContexualType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/keyofModuleObjectHasCorrectKeys.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/keyofObjectWithGlobalSymbolIncluded.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/keywordExpressionInternalComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/keywordField.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/knockout.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/lambdaParamTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/lambdaParameterWithTupleArgsHasCorrectAssignability.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/lambdaPropSelf.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/largeControlFlowGraph.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/largeTupleTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/lastPropertyInLiteralWins.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/lateBoundConstraintTypeChecksCorrectly.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/lateBoundDestructuringImplicitAnyError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/lateBoundFunctionMemberAssignmentDeclarations.ts @@ -2314,14 +1856,11 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/library_RegExpExecArray Mismatch: tasks/coverage/typescript/tests/cases/compiler/library_StringSlice.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/lift.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/limitDeepInstantiations.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/literalFreshnessPropagationOnNarrowing.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/literalIntersectionYieldsLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/literalWideningWithCompoundLikeAssignments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/literals-negative.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/literalsInComputedProperties1.ts An enum member cannot have a numeric name. Mismatch: tasks/coverage/typescript/tests/cases/compiler/localAliasExportAssignment.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/localImportNameVsGlobalName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/localTypeParameterInferencePriority.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/m7Bugs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/manyConstExports.ts @@ -2361,7 +1900,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeWithAsClauseA Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeWithCombinedTypeMappers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeWithNameClauseAppliedToArrayType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/matchReturnTypeInAllBranches.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/matchingOfObjectLiteralConstraints.ts tasks/coverage/typescript/tests/cases/compiler/maxNodeModuleJsDepthDefaultsToZero.ts Unexpected estree file content error: 2 != 4 @@ -2369,15 +1907,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/maximum10SpellingSugges Mismatch: tasks/coverage/typescript/tests/cases/compiler/memberAccessMustUseModuleInstances.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/memberOverride.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/memberVariableDeclarations1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergeSymbolReexportInterface.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergeSymbolReexportedTypeAliasInstantiation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergeSymbolRexportFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergeWithImportedType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedDeclarationExports.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedDeclarations1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedDeclarations2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedDeclarations3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedEnumDeclarationCodeGen.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedInstantiationAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedInterfaceFromMultipleFiles1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedModuleDeclarationCodeGen.ts @@ -2386,7 +1917,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedModuleDeclaration Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedModuleDeclarationCodeGen4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedModuleDeclarationCodeGen5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/metadataImportType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/metadataOfUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/methodContainingLocalFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/methodInAmbientClass1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/missingCommaInTemplateStringsArray.ts @@ -2394,7 +1924,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/missingFunctionImplemen Mismatch: tasks/coverage/typescript/tests/cases/compiler/missingImportAfterModuleImport.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/misspelledNewMetaProperty.ts The only valid meta property for new is new.target -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mixedTypeEnumComparison.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mixinIntersectionIsValidbaseType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mixinOverMappedTypeNoCrash.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mixinPrivateAndProtected.ts @@ -2420,9 +1949,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationColli Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationDeclarationEmit1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationDeclarationEmit2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationDisallowedExtensions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationDoesNamespaceEnumMergeOfReexport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationDuringSyntheticDefaultCheck.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationEnumClassMergeOfReexportIsError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationExtendAmbientModule1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationExtendAmbientModule2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationExtendFileModule1.ts @@ -2438,7 +1965,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationInAmb Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationInAmbientModule4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationInAmbientModule5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationNoNewNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationOfAlias.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationsImports1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationsImports2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationsImports3.ts @@ -2470,7 +1996,6 @@ Unexpected estree file content error: 2 != 4 tasks/coverage/typescript/tests/cases/compiler/modulePreserve4.ts Unexpected estree file content error: 5 != 12 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/modulePreserve5.ts tasks/coverage/typescript/tests/cases/compiler/modulePreserveImportHelpers.ts Unexpected estree file content error: 2 != 4 @@ -2542,7 +2067,6 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/compiler/moduleResolution_relativeImportJsFile_noImplicitAny.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleSameValueDuplicateExportedBindings2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleSharesNameWithImportDeclarationInsideIt.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleSharesNameWithImportDeclarationInsideIt2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleSharesNameWithImportDeclarationInsideIt3.ts @@ -2554,19 +2078,14 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleVisibilityTest1.t Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleVisibilityTest2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/module_augmentUninstantiatedModule2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduledecl.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/multiImportExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/multiLineContextDiagnosticWithPretty.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/multiLinePropertyAccessAndArrowFunctionIndent1.ts A 'return' statement can only be used within a function body. Mismatch: tasks/coverage/typescript/tests/cases/compiler/multiSignatureTypeInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/multipleExportAssignments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/multipleExports.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/multipleInferenceContexts.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/multivar.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mutuallyRecursiveCallbacks.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mutuallyRecursiveInterfaceDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nameCollisionsInPropertyAssignments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/namespaceDisambiguationInUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/namespaceNotMergedWithFunctionDefaultExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowByClauseExpressionInSwitchTrue1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowByClauseExpressionInSwitchTrue2.ts @@ -2575,7 +2094,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowBySwitchDiscrimin Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowRefinedConstLikeParameterBIndingElementNameInInnerScope.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowTypeByInstanceof.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowedConstInMethod.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowedImports.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingAssignmentReadonlyRespectsAssertion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingByDiscriminantInLoop.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingByTypeofInSwitch.ts @@ -2588,26 +2106,20 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingNoInfer1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingOfDottedNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingOfQualifiedNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingOrderIndependent.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingPastLastAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingPastLastAssignmentInModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingRestGenericCall.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingTypeofParenthesized1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingUnionToUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingUnionWithBang.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nearbyIdenticalGenericLambdasAssignable.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedExcessPropertyChecking.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedFreshLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedGenericConditionalTypeWithGenericImportType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedGenericSpreadInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedHomomorphicMappedTypesWithArrayConstraint1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedLoopTypeGuards.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedLoops.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedObjectRest.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedRecursiveArraysOrObjectsError01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedSuperCallEmit.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedTypeVariableInfersLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/neverAsDiscriminantType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/newAbstractInstance2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/newFunctionImplicitAny.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/newNamesInGlobalAugmentations1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noAsConstNameLookup.ts @@ -2615,12 +2127,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCheckDoesNotReportErr Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCheckNoEmit.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCheckRequiresEmitDeclarationOnly.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCircularDefinitionOnExportOfPrivateInMergedNamespace.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCollisionThisExpressionAndLocalVarInAccessors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCollisionThisExpressionAndLocalVarInConstructor.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCollisionThisExpressionAndLocalVarInLambda.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCollisionThisExpressionAndLocalVarInMethod.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCollisionThisExpressionAndLocalVarInProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCrashOnImportShadowing.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCrashOnMixin.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCrashOnNoLib.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCrashOnThisTypeUsage.ts @@ -2655,7 +2161,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyParameters Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyParametersInInterface.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyParametersInModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyReferencingDeclaredInterface.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyStringIndexerOnObject.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyUnionNormalizedObjectLiteral1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitReturnsExclusions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitReturnsInAsync2.ts @@ -2666,20 +2171,17 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitUseStrict_com Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitUseStrict_es6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitUseStrict_system.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitUseStrict_umd.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noInferUnionExcessPropertyCheck1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noIterationTypeErrorsInCFA.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noObjectKeysToKeyofT.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noRepeatedPropertyNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noSubstitutionTemplateStringLiteralTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noSubtypeReduction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUncheckedIndexAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUncheckedIndexedAccessCompoundAssignments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUnusedLocals_destructuringAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUnusedLocals_selfReference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUnusedLocals_writeOnly.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUsedBeforeDefinedErrorInAmbientContext1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUsedBeforeDefinedErrorInTypeContext.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeModuleReexportFromDottedPath.ts tasks/coverage/typescript/tests/cases/compiler/nodeNextImportModeImplicitIndexResolution2.ts Unexpected estree file content error: 4 != 6 @@ -2693,7 +2195,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeResolution4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeResolution6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeResolution8.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonArrayRestArgs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonExportedElementsOfMergedModules.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonInferrableTypePropagation2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonInferrableTypePropagation3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonMergedOverloads.ts @@ -2703,44 +2204,23 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonNullableAndObjectInt Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonNullableReduction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonNullableReductionNonStrict.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonNullableWithNullableGenericIndexedAccessArg.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonObjectUnionNestedExcessPropertyCheck.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nongenericConditionalNotPartiallyComputed.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonstrictTemplateWithNotOctalPrintsAsIs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/normalizedIntersectionTooComplex.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/null.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/numberAssignableToEnumInsideUnion.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/numberVsBigIntOperations.ts Missing initializer in const declaration Mismatch: tasks/coverage/typescript/tests/cases/compiler/numericEnumMappedType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/numericIndexerConstraint4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/numericIndexerConstraint5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectAssignLikeNonUnionResult.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectBindingPatternContextuallyTypesArgument.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectBindingPattern_restElementWithPropertyName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectCreate.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectCreate2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectCreationOfElementAccessExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectFreeze.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectFreezeLiteralsDontWiden.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectIndexer.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectInstantiationFromUnionSpread.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLitGetterSetter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLitIndexerContextualType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLitPropertyScoping.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLitStructuralTypeMismatch.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLitTargetTypeCallSite.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteral1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteral2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralArraySpecialization.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralComputedNameNoDeclarationError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralEnumPropertyNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralExcessProperties.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralFreshnessWithSpread.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralFunctionArgContextualTyping.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralFunctionArgContextualTyping2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralIndexerErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralIndexerNoImplicitAny.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralIndexers.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/objectLiteralMemberWithModifiers1.ts 'public' modifier cannot be used here. Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/objectLiteralMemberWithModifiers2.ts @@ -2748,29 +2228,17 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/objectLiteralMem Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/objectLiteralMemberWithQuestionMark1.ts Expected `,` but found `?` Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralParameterResolution.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralPropertyImplicitlyAny.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralReferencingInternalProperties.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralThisWidenedOnUse.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralWithGetAccessorInsideFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralWithNumericPropertyName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralsAgainstUnionsOfArrays01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectRestBindingContextualInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectRestSpread.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectSpreadWithinMethodWithinObjectWithSpread.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/observableInferenceCanBeMade.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/omitTypeTestErrors01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/omitTypeTests01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/operatorAddNullUndefined.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalAccessorsInInterface1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalChainWithInstantiationExpression2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalParamArgsTest.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalParameterInDestructuringWithInitializer.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalParameterProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalParameterRetainsNull.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalPropertiesTest.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalTupleElementsAndUndefined.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionsOutAndNoModuleGen.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/orderMattersForSignatureGroupIdentity.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/out-flag.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/out-flag3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/outModuleConcatCommonjs.ts @@ -2778,21 +2246,15 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/outModuleConcatES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/outModuleConcatUmd.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/outModuleTripleSlashRefs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/overEagerReturnTypeSpecialization.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/overload2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadAssignmentCompat.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadCrash.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadGenericFunctionWithRestArgs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadModifiersMustAgree.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadOnConstInObjectLiteralImplementingAnInterface.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadResolutionOverNonCTLambdas.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadResolutionOverNonCTObjectLit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadResolutionTest1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadedConstructorFixesInferencesAppropriately.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadsWithComputedNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadsWithConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadsWithProvisionalErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/overrideBaseIntersectionMethod.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/overshifts.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterDecoratorsEmitCrash.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterDestructuringObjectLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterListAsTupleType.ts @@ -2808,13 +2270,11 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/paramterDestrcuturingDe Mismatch: tasks/coverage/typescript/tests/cases/compiler/parenthesisDoesNotBlockAliasSymbolCreation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parenthesizedAsyncArrowFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parenthesizedExpressionInternalComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/parseEntityNameWithReservedWord.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parseInvalidNonNullableTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parseInvalidNullableTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parseReplacementCharacter.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/parserConstructorDeclaration12.ts Type parameters cannot appear on a constructor declaration -Mismatch: tasks/coverage/typescript/tests/cases/compiler/partialDiscriminatedUnionMemberHasGoodError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/partialOfLargeAPIIsAbleToBeWorkedWith.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/partiallyDiscriminantedUnions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/pathMappingBasedModuleResolution3_classic.ts @@ -2850,7 +2310,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/potentiallyUncalledDeco Mismatch: tasks/coverage/typescript/tests/cases/compiler/predicateSemantics.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/prefixIncrementAsOperandOfPlusExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/prefixUnaryOperatorsOnExportedVariables.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/preserveConstEnums.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/prespecializedGenericMembers1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/primitiveUnionDetection.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCannotNameAccessorDeclFile.ts @@ -2904,7 +2363,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseIdentityWithAny2 Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseIdentityWithConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/promisePermutations2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/promisePermutations3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseVoidErrorCallback.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseWithResolvers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/propTypeValidatorInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/propertyAccessExpressionInnerComments.ts @@ -2921,8 +2379,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/ramdaToolsNoInfinite.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ramdaToolsNoInfinite2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reExportGlobalDeclaration1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reExportUndefined1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reachabilityChecks1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reachabilityChecks2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reachabilityChecks3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reachabilityChecks5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reachabilityChecks6.ts @@ -2940,11 +2396,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactSFCAndFunctionReso Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactTagNameComponentWithPropsNoOOM.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactTagNameComponentWithPropsNoOOM2.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactTransitiveImportHasValidDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/readonlyInDeclarationFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/readonlyMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/readonlyPropertySubtypeRelationDirected.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/readonlyTupleAndArrayElaboration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveArrayNotCircular.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveBaseCheck2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveClassBaseType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveClassReferenceTest.ts @@ -2959,10 +2411,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveExportAssignme Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveExportAssignmentAndFindAliasedType3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveFieldSetting.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveGenericTypeHierarchy.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveInferenceBug.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveLetConst.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveMods.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveObjectLiteral.ts tasks/coverage/typescript/tests/cases/compiler/recursiveResolveDeclaredMembers.ts Unexpected estree file content error: 1 != 2 @@ -2978,7 +2427,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursivelyExpandingUni Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursivelySpecializedConstructorDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/redeclareParameterInCatchBlock.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reducibleIndexedAccessTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reexportDefaultIsCallable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reexportNameAliasedAndHoisted.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reexportWrittenCorrectlyInDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reexportedMissingAlias.ts @@ -3001,10 +2449,8 @@ Unexpected estree file content error: 1 != 3 Mismatch: tasks/coverage/typescript/tests/cases/compiler/requireEmitSemicolon.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/requireOfAnEmptyFile1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/requireOfJsonFileWithoutExtensionResolvesToTs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/requiredInitializedParameter1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/requiredMappedTypeModifierTrumpsVariance.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reservedWords.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/resolveInterfaceNameWithSameLetDeclarationName1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/resolveInterfaceNameWithSameLetDeclarationName2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/resolveModuleNameWithSameLetDeclarationName1.ts @@ -3037,7 +2483,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/restTypeRetainsMappynes Mismatch: tasks/coverage/typescript/tests/cases/compiler/restUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restUnion2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restUnion3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/returnInConstructor1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/returnTypeInferenceNotTooBroad.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/returnTypePredicateIsInstantiateInContextOfTarget.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/reuseInnerModuleMember.ts @@ -3060,11 +2505,9 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/reverseMappedTypePrimit Mismatch: tasks/coverage/typescript/tests/cases/compiler/reverseMappedTypeRecursiveInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reverseMappedUnionInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/satisfiesEmit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/selfInLambdas.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/selfReferencingFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/selfReferencingFile2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/selfReferencingFile3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/setMethods.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/shadowedFunctionScopedVariablesByBlockScopedOnes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/shadowedReservedCompilerDeclarationsWithNoEmit.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/shadowingViaLocalValueOrBindingElement.ts @@ -3075,12 +2518,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthand-property-es6- Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthand-property-es6-es6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthandOfExportedEntity01_targetES2015_CommonJS.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthandOfExportedEntity02_targetES5_CommonJS.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthandPropertyAssignmentInES6Module.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/shorthandPropertyAssignmentsInDestructuring.ts Invalid assignment in object literal Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/shorthandPropertyAssignmentsInDestructuring_ES6.ts Invalid assignment in object literal -Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthandPropertyUndefined.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/shouldNotPrintNullEscapesIntoOctalLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sideEffectImports1.ts tasks/coverage/typescript/tests/cases/compiler/sideEffectImports2.ts @@ -3097,9 +2538,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureCombiningRestP Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureInstantiationWithRecursiveConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureOverloadsWithComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/silentNeverPropagation.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/simpleArrowFunctionParameterReferencedInObjectLiteral1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/simplifyingConditionalWithInteriorConditionalIsRelated.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/slightlyIndirectedDeepObjectLiteralElaborations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMap-Comment1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMap-Comments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMap-FileWithComments.ts @@ -3152,14 +2591,11 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDest Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementObjectBindingPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementObjectBindingPattern3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementObjectBindingPattern4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationEnums.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationExportAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationExportAssignmentCommonjs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationFunctionPropertyAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationFunctions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationImport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationLabeled.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationStatements.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapWithCaseSensitiveFileNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapWithCaseSensitiveFileNamesAndOutDir.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapWithMultipleFilesWithCopyright.ts @@ -3168,27 +2604,19 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapWithNonCaseSen Mismatch: tasks/coverage/typescript/tests/cases/compiler/specedNoStackBlown.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/specialIntersectionsInMappedTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/specializeVarArgs1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/specializedInheritedConstructors1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/specializedOverloadWithRestParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionGlobal1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionGlobal2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionGlobal3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionGlobal4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionJSXAttribute.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionLeadingUnderscores01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadExpressionContainingObjectExpressionContextualType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadExpressionContextualType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadExpressionContextualTypeWithNamespace.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadIdenticalTypesRemoved.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadIntersection.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadInvalidArgumentType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadObjectNoCircular1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadObjectWithIndexDoesNotAddUndefinedToLocalIndex.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadOfObjectLiteralAssignableToIndexSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadOfParamsFromGeneratorMakesRequiredParams.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadParameterTupleType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadTupleAccessedByTypeParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadTypeRemovesReadonly.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spuriousCircularityOnTypeImport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spyComparisonChecking.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/stackDepthLimitCastingType.ts @@ -3205,7 +2633,6 @@ Classes may not have a static property named prototype Mismatch: tasks/coverage/typescript/tests/cases/compiler/statics.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/stradac.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictFunctionTypesErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictModeEnumMemberNameReserved.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictModeReservedWord.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictModeReservedWord2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictModeReservedWordInClassDeclaration.ts @@ -3222,14 +2649,9 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictNullNotNullIndexT Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictOptionalProperties1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictOptionalProperties2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictSubtypeAndNarrowing.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/stringLiteralObjectLiteralDeclaration1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/stringLiteralPropertyNameWithLineContinuation1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/stringMappingAssignability.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/stringMatchAll.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/stringPropCodeGen.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/stringRawType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/stripMembersOptionality.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/structural1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/styleOptions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/styledComponentsInstantiaionLimitNotReached.ts tasks/coverage/typescript/tests/cases/compiler/subclassThisTypeAssignable01.ts @@ -3249,28 +2671,20 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallFromClassThatD Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallFromClassThatDerivesFromGenericTypeButWithNoTypeArguments1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallFromClassThatDerivesNonGenericTypeButWithTypeArguments1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallFromClassThatHasNoBaseType1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallInNonStaticMethod.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallInStaticMethod.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallInsideObjectLiteralExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallWithCommentEmit01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/superInObjectLiterals_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/superInObjectLiterals_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/superNewCall1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/super_inside-object-literal-getters-and-setters.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/switchCaseCircularRefeference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/switchCaseInternalComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/switchCaseNarrowsMatchingClausesEvenWhenNonMatchingClausesExist.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symbolLinkDeclarationEmitModuleNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symbolLinkDeclarationEmitModuleNamesImportRef.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symbolLinkDeclarationEmitModuleNamesRootDir.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/symbolObserverMismatchingPolyfillsWorkTogether.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symlinkedWorkspaceDependenciesNoDirectLinkGeneratesDeepNonrelativeName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symlinkedWorkspaceDependenciesNoDirectLinkGeneratesNonrelativeName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symlinkedWorkspaceDependenciesNoDirectLinkOptionalGeneratesNonrelativeName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symlinkedWorkspaceDependenciesNoDirectLinkPeerGeneratesNonrelativeName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/syntheticDefaultExportsWithDynamicImports.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemDefaultExportCommentValidity.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemDefaultImportCallable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemJsForInNoException.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule10.ts @@ -3279,10 +2693,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule11.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule12.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule13.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule14.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule15.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule16.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule6.ts @@ -3293,12 +2705,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleAmbientDecl Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleConstEnums.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleConstEnumsSeparateCompilation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleDeclarationMerging.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleExportDefault.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleNonTopLevelModuleMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleTargetES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleTrailingComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemNamespaceAliasEmit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemObjectShorthandRename.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringWithSymbolExpression01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsHexadecimalEscapes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsHexadecimalEscapesES6.ts @@ -3313,9 +2723,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateWithoutDe Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplatesInDifferentScopes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplatesInModuleAndGlobal.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/tailRecursiveConditionalTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/targetTypeObjectLiteral.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/targetTypeObjectLiteralToAny.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/targetTypeTest1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/targetTypeTest2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/targetTypeTest3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateExpressionAsPossiblyDiscriminantValue.ts @@ -3332,21 +2739,16 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateStringsArrayTyp Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateStringsArrayTypeNotDefinedES5Mode.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateStringsArrayTypeRedefinedInES6Mode.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/testContainerList.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisBinding.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisBinding2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisConditionalOnMethodReturnOfGenericInstance.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInAccessors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInClassBodyStaticESNext.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInConstructorParameter2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInGenericStaticMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInPropertyBoundDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInSuperCall.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInSuperCall1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInTupleTypeParameterConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInTypeQuery.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisPredicateInObjectLiteral.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/this_inside-enum-should-not-be-allowed.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/this_inside-object-literal-getters-and-setters.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/topFunctionTypeNotCallable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/topLevel.ts tasks/coverage/typescript/tests/cases/compiler/topLevelBlockExpando.ts @@ -3354,23 +2756,17 @@ Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/compiler/topLevelExports.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/topLevelLambda4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/trackedSymbolsNoCrash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/trailingCommasES5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/transformArrowInBlockScopedLoopVarInitializer.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/transformNestedGeneratorsWithTry.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/transformParenthesizesConditionalSubexpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/tripleSlashInCommentNotParsed.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/tripleSlashReferenceAbsoluteWindowsPath.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/tripleSlashTypesReferenceWithMissingExports.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/trivialSubtypeReductionNoStructuralCheck.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/trivialSubtypeReductionNoStructuralCheck2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/truthinessCallExpressionCoercion.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/truthinessCallExpressionCoercion1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/truthinessCallExpressionCoercion2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/truthinessCallExpressionCoercion3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/tryCatchFinallyControlFlow.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/tryStatementInternalComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsconfigMapOptionsAreCaseInsensitive.ts tasks/coverage/typescript/tests/cases/compiler/tslibMissingHelper.ts Unexpected estree file content error: 3 != 4 @@ -3386,12 +2782,8 @@ Unexpected estree file content error: 1 != 3 tasks/coverage/typescript/tests/cases/compiler/tslibReExportHelpers2.ts Unexpected estree file content error: 1 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxAttributeQuickinfoTypesSameAsObjectLiteral.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxAttributesHasInferrableIndex.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxDeepAttributeAssignabilityError.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxDefaultImports.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxDiscriminantPropertyInference.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxInferenceShouldNotYieldAnyOnUnions.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxInvokeComponentType.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxNoTypeAnnotatedSFC.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxNotUsingApparentTypeOfSFC.tsx @@ -3405,16 +2797,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/tupleTypeInference2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/twiceNestedKeyofIndexInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAliasDeclarationEmit.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAliasDeclarationEmit2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAliasExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAliasFunctionTypeSharedSymbol.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAnnotationBestCommonTypeInArrayLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeArgInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeArgInference2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeArgInferenceWithNull.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeArgumentDefaultUsesConstraintOnCircularDefault.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAssertionToGenericFunctionType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAssignabilityErrorMessage.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeCheckObjectLiteralMethodBody.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeComparisonCaching.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeConstraintsWithConstructSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardConstructorClassAndNumber.ts @@ -3427,27 +2813,20 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowByUntype Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowsIndexedAccessOfKnownProperty1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowsIndexedAccessOfKnownProperty11.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowsIndexedAccessOfKnownProperty12.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowsIndexedAccessOfKnownProperty5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowsIndexedAccessOfKnownProperty6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowsIndexedAccessOfKnownProperty7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardOnContainerTypeNoHang.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInfer1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInferenceCacheInvalidation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInferenceFBoundedTypeParams.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInferenceLiteralUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInferenceWithExcessProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInferenceWithExcessPropertiesJsx.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInterfaceDeclarationsInBlockStatements1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeMatch2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeNamedUndefined1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeNamedUndefined2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeOfEnumAndVarRedeclarations.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeOfOnTypeArg.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeOfYieldWithUnionInContextualReturnType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeParameterCompatibilityAccrossDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeParameterConstraintInstantiation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeParameterExtendsPrimitive.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeParameterFixingWithConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeParameterLeak.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePartameterConstraintInstantiatedWithDefaultWhenCheckingDefault.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateAcceptingPartialOfRefinedType.ts @@ -3459,10 +2838,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateTopLevelTy Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateWithThisParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicatesCanNarrowByDiscriminant.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicatesInUnion3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicatesOptionalChaining1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives10.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives11.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives12.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives13.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives3.ts @@ -3470,10 +2847,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives7.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives8.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives9.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeResolution.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeVal.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeVariableConstraintIntersections.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeVariableConstraintedToAliasNotAssignableToUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeVariableTypeGuards.ts @@ -3482,13 +2857,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/typedArrayConstructorOv Mismatch: tasks/coverage/typescript/tests/cases/compiler/typedArrays.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typedArraysCrossAssignability01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofAmbientExternalModules.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofImportInstantiationExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofInterface.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofObjectInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofThisInMethodSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofUnknownSymbol.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofUsedBeforeBlockScoped.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdDependencyComment2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdDependencyCommentName1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdDependencyCommentName2.ts @@ -3497,41 +2869,29 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdGlobalConflict.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdNamedAmdMode.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdNamespaceMergedWithGlobalAugmentationIsNotCircular.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unaryPlus.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/uncaughtCompilerError1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/undeclaredModuleError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/undeclaredVarEmit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/undefinedArgumentInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/undefinedAssignableToGenericMappedIntersection.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/undefinedSymbolReferencedInArrayLiteral1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/undefinedTypeArgument2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/underscoreEscapedNameInEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/underscoreTest1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/underscoreThisInDerivedClass01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/underscoreThisInDerivedClass02.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionCallMixedTypeParameterPresence.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionErrorMessageOnMatchingDiscriminant.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionExcessPropertyCheckNoApparentPropTypeMismatchErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionExcessPropsWithPartialMember.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionOfClassCalls.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionOfEnumInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionPropertyOfProtectedAndIntersectionProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionReductionMutualSubtypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionReductionWithStringMappingAndIdenticalBaseTypeExistsNoCrash.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionSignaturesWithThisParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionSubtypeReductionErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionTypeParameterInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionTypeWithIndexAndMethodSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionTypeWithIndexedLiteralType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionTypeWithLeadingOperator.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionWithIndexSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/uniqueSymbolAllowsIndexInObjectWithIndexSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/uniqueSymbolAssignmentOnGlobalAugmentationSuceeds.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/uniqueSymbolPropertyDeclarationEmit.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unknownLikeUnionObjectFlagsNotPropagated.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unknownPropertiesAreAssignableToObjectUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unmatchedParameterPositions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unmetTypeConstraintInImportCall.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unreachableDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unresolvableSelfReferencingAwaitedUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unspecializedConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/untypedFunctionCallsWithTypeParameters1.ts @@ -3540,13 +2900,6 @@ Unexpected estree file content error: 2 != 3 Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedDestructuring.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedDestructuringParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedImportDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedImportWithSpread.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedImports11.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedImports12.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedImports6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedImports7.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedImports_entireImportDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedInvalidTypeArguments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsAndObjectSpread.ts @@ -3567,9 +2920,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedTypeParameters9.t Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedVariablesWithUnderscoreInBindingElement.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedVariablesinModules1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unwitnessedTypeParameterVariance.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/useBeforeDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/useBeforeDeclaration_classDecorators.1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/useBeforeDeclaration_classDecorators.2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/useBeforeDeclaration_destructuring.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/useBeforeDeclaration_propertyAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/useBeforeDefinitionInDeclarationFiles.ts @@ -3593,7 +2943,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceProblingAndZero Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceProblingAndZeroOrderIndexSignatureRelationsAlign2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceRepeatedlyPropegatesWithUnreliableFlag.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/verbatim-declarations-parameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/verbatimModuleSyntaxDefaultValue.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/visibilityOfCrossModuleTypeUsage.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/visibilityOfTypeParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/voidAsNonAmbiguousReturnType.ts @@ -3601,19 +2950,14 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/voidReturnIndexUnionInf Mismatch: tasks/coverage/typescript/tests/cases/compiler/voidUndefinedReduction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/vueLikeDataAndPropsInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/vueLikeDataAndPropsInference2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/weakType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/webworkerIterable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/whileStatementInnerComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/widenToAny1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/widenedTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/widenedTypes1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/withExportDecl.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/withImportDecl.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/withStatementInternalComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/yieldInForInInDownlevelGenerator.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/yieldStringLiteral.ts A 'yield' expression is only allowed in a generator body. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/Symbols/ES5SymbolProperty1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientDeclarationsExternal.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientDeclarationsPatterns.ts @@ -3643,7 +2987,6 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es2017/ Cannot use `await` as an identifier in an async context Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es2017/functionDeclarations/asyncFunctionDeclaration5_es2017.ts Cannot use `await` as an identifier in an async context -Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es2017/functionDeclarations/asyncFunctionDeclaration8_es2017.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es5/asyncArrowFunction/asyncArrowFunction11_es5.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es5/asyncArrowFunction/asyncArrowFunction5_es5.ts Cannot use `await` as an identifier in an async context @@ -3658,7 +3001,6 @@ Unexpected estree file content error: 1 != 2 Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es5/functionDeclarations/asyncFunctionDeclaration5_es5.ts Cannot use `await` as an identifier in an async context -Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es5/functionDeclarations/asyncFunctionDeclaration8_es5.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es6/asyncArrowFunction/asyncArrowFunction5_es6.ts Cannot use `await` as an identifier in an async context Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es6/asyncAwaitIsolatedModules_es6.ts @@ -3672,20 +3014,17 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es6/fun Cannot use `await` as an identifier in an async context Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es6/functionDeclarations/asyncFunctionDeclaration5_es6.ts Cannot use `await` as an identifier in an async context -Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es6/functionDeclarations/asyncFunctionDeclaration8_es6.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es6/functionDeclarations/asyncOrYieldAsBindingIdentifier1.ts Cannot use `await` as an identifier in an async context Mismatch: tasks/coverage/typescript/tests/cases/conformance/asyncGenerators/asyncGeneratorGenericNonWrappedReturn.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/asyncGenerators/asyncGeneratorParameterEvaluation.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/asyncGenerators/asyncGeneratorPromiseNextType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/classAbstractKeyword/classAbstractInstantiations1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/classBody/classWithEmptyBody.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/classHeritageSpecification/classExtendingOptionalChain.ts Expected `{` but found `?.` Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/classHeritageSpecification/constructorFunctionTypeIsAssignableToBaseType2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/classWithPredefinedTypesAsNames.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/modifierOnClassDeclarationMemberInFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/classWithStaticFieldInParameterBindingPattern.2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/classWithStaticFieldInParameterBindingPattern.3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/classWithStaticFieldInParameterBindingPattern.ts @@ -3694,7 +3033,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpress Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/classWithStaticFieldInParameterInitializer.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/genericClassExpressionInFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/modifierOnClassExpressionMemberInFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlock17.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlock22.ts Cannot use `await` as an identifier in an async context Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlock24.ts @@ -3702,8 +3040,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticB Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlock7.ts A 'yield' expression is only allowed in a generator body. Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlock8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlockUseBeforeDef4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlockUseBeforeDef5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/automaticConstructors/derivedClassWithoutExplicitConstructor3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/classConstructorAccessibility.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/classConstructorAccessibility2.ts @@ -3726,7 +3062,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorD Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/derivedClassConstructorWithoutSuperCall.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/derivedClassParameterProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/derivedClassSuperCallsWithThisArg.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/derivedClassSuperProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/derivedClassSuperStatementPosition.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/emitStatementsBeforeSuperCall.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/emitStatementsBeforeSuperCallWithDefineFields.ts @@ -3802,19 +3137,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemb Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/accessorsOverrideProperty9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/assignParameterPropertyToPropertyDeclarationES2022.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/assignParameterPropertyToPropertyDeclarationESNext.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor10.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor11.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor7.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessorAllowedModifiers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessorExperimentalDecorators.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessorNoUseDefineForClassFields.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/constructorParameterShadowsOuterScopes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/constructorParameterShadowsOuterScopes2.ts @@ -3825,11 +3149,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemb Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/instanceMemberInitialization.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/instanceMemberWithComputedPropertyName.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/instanceMemberWithComputedPropertyName2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/memberAccessorDeclarations/accessorWithES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/memberAccessorDeclarations/accessorsAreNotContextuallyTyped.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/memberAccessorDeclarations/ambientAccessors.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/memberAccessorDeclarations/typeOfThisInAccessor.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/memberFunctionDeclarations/derivedTypeAccessesHiddenBaseCallViaSuperPropertyAccess.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/propertyNamedConstructor.ts Classes can't have a field named 'constructor' Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/propertyNamedPrototype.ts @@ -3846,16 +3167,11 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemb tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/thisPropertyOverridesAccessors.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/twoAccessorsWithSameName.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnum1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnum2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnum3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnum4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnumNoObjectPrototypePropertyAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnumPropertyAccess1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnumPropertyAccess2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnumPropertyAccess3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/importElisionConstEnumMerge1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/controlFlow/assertionTypePredicates1.ts Expected `,` but found `is` Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowAliasing.ts @@ -3863,9 +3179,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlF Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowBinaryOrExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowBindingElement.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowBindingPatternOrder.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowDeleteOperator.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowDestructuringDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowElementAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowElementAccessNoCrash1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowGenericTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowInOperator.ts @@ -3880,7 +3194,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlF Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/dependentDestructuredVariables.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/dependentDestructuredVariablesFromNestedPatterns.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/dependentDestructuredVariablesWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/exhaustiveSwitchStatements1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/neverReturningFunctions1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/switchWithConstrainedTypeVariable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/typeGuardsAsAssertions.ts @@ -3899,7 +3212,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/type Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typePredicates/declarationEmitThisPredicatesWithPrivateName01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typePredicates/declarationEmitThisPredicatesWithPrivateName02.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typeReferenceRelatedFiles.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typeofImportTypeOnlyExport.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/1.0lib-noErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/constructor/decoratorOnClassConstructor2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/constructor/decoratorOnClassConstructor3.ts @@ -3920,12 +3232,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/dec Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/method/decoratorOnClassMethod19.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/method/parameter/decoratorOnClassMethodParameter3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/property/decoratorOnClassProperty12.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/property/decoratorOnClassProperty13.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/decorators/decoratorMetadata-jsdoc.ts Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/decoratorMetadata.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/decoratorMetadataWithTypeOnlyImport.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/legacyDecorators-contextualTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/directives/ts-expect-error-nocheck.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/directives/ts-expect-error.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/directives/ts-ignore.ts @@ -3971,32 +3281,15 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/import Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionInUMD3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionInUMD4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionInUMD5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedAMD.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedAMD2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedCJS.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedCJS2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedES2015.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedES20152.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedES2020.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedES20202.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedSystem.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedSystem2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedUMD.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNestedUMD2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNoModuleKindSpecified.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionReturnPromiseOfAny.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionShouldNotGetParen.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionWithTypeArgument.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/conformance/emitter/es2015/asyncGenerators/emitter.asyncGenerators.objectLiteralMethods.es2015.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/emitter/es2018/asyncGenerators/emitter.asyncGenerators.objectLiteralMethods.es2018.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/emitter/es5/asyncGenerators/emitter.asyncGenerators.objectLiteralMethods.es5.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/enums/awaitAndYield.ts `await` is only allowed within async functions and at the top levels of modules Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumBasics.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumClassification.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumConstantMemberWithString.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumConstantMemberWithStringEmitDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumConstantMemberWithTemplateLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumConstantMemberWithTemplateLiteralsEmitDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumConstantMembers.ts @@ -4006,10 +3299,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumMerging.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumMergingErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumShadowedInfinityNaN.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2016/es2016IntlAPIs.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2017/useObjectValuesAndEntries1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2017/useObjectValuesAndEntries2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2017/useObjectValuesAndEntries3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2017/useObjectValuesAndEntries4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2018/es2018IntlAPIs.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2019/allowUnescapedParagraphAndLineSeparatorsInStringLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2019/globalThisGlobalExportAsGlobal.ts @@ -4018,13 +3307,9 @@ Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2019/importMeta/importMeta.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2019/importMeta/importMetaNarrowing.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2020/constructBigint.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2020/es2020IntlAPIs.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2020/intlNumberFormatES2020.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2020/modules/exportAsNamespace3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2020/modules/exportAsNamespace4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2020/modules/exportAsNamespace_nonExistent.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2021/logicalAssignment/logicalAssignment10.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2022/arbitraryModuleNamespaceIdentifiers/arbitraryModuleNamespaceIdentifiers_exportEmpty.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2022/arbitraryModuleNamespaceIdentifiers/arbitraryModuleNamespaceIdentifiers_importEmpty.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2022/arbitraryModuleNamespaceIdentifiers/arbitraryModuleNamespaceIdentifiers_module.ts @@ -4032,39 +3317,9 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2022/es2022IntlAPI Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2022/es2024SharedMemory.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2023/intlNumberFormatES2023.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2023/intlNumberFormatES5UseGrouping.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2024/resizableArrayBuffer.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2024/sharedMemory.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolDeclarationEmit10.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolDeclarationEmit8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolDeclarationEmit9.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty18.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty19.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty20.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty21.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty22.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty28.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty29.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty30.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty31.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty32.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty33.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty34.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty36.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty52.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty53.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty54.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty55.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty56.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty57.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty58.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty60.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty61.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolType19.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolType20.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/arrowFunction/disallowLineTerminatorBeforeArrow.ts Line terminator not permitted before arrow @@ -4133,7 +3388,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithGetterSetterInES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithLiteralPropertyNameInES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithMethodInES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithPropertyAccessInHeritageClause1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithPropertyAssignmentInES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithStaticPropertyAssignmentInES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithSuperMethodCall01.ts @@ -4160,84 +3414,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperti Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames13_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames16_ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames16_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames18_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames18_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames19_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames19_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames1_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames1_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames20_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames20_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames22_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames22_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames23_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames23_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames25_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames25_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames26_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames26_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames28_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames28_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames29_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames29_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames30_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames30_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames31_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames31_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames33_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames33_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames34_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames34_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames46_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames46_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames47_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames47_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames48_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames48_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames49_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames49_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames4_ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames4_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames50_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames50_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames51_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames51_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames5_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames5_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames6_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames6_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames7_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames7_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames8_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames8_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames9_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames9_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType10_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType10_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType1_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType1_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType2_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType2_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType3_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType3_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType4_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType4_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType5_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType5_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType6_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType6_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType7_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType7_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType8_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType8_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType9_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesContextualType9_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesDeclarationEmit5_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesDeclarationEmit5_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesDeclarationEmit6_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesDeclarationEmit6_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesSourceMap2_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNamesSourceMap2_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/accessor/decoratorOnClassAccessor1.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/decoratorOnClass2.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/decoratorOnClass3.es6.ts @@ -4267,7 +3445,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/de Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringArrayBindingPatternAndAssignment2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringArrayBindingPatternAndAssignment4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringArrayBindingPatternAndAssignment5SiblingInitializer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringAssignabilityCheck.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringCatch.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringControlFlow.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringEvaluationOrder.ts @@ -4313,8 +3490,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/de Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringVariableDeclaration1ES5iterable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringVariableDeclaration1ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringVariableDeclaration2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringVoid.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringVoidStrictNullChecks.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringWithLiteralInitializers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns01_ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns01_ES5iterable.ts @@ -4328,7 +3503,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/em Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns04_ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns04_ES5iterable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns04_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyObjectBindingPatternParameter04.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyVariableDeclarationBindingPatterns01_ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyVariableDeclarationBindingPatterns01_ES5iterable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyVariableDeclarationBindingPatterns01_ES6.ts @@ -4338,20 +3512,14 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/destructu Missing initializer in destructuring declaration Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyVariableDeclarationBindingPatterns02_ES6.ts Missing initializer in destructuring declaration -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern10.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern11.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern12.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern13.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern14.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern15.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern16.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern17.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern18.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern19.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern20.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern21.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern22.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern23.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern24.ts @@ -4366,7 +3534,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/it Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/missingAndExcessProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/nonIterableRestElement1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/nonIterableRestElement2.ts @@ -4449,62 +3616,22 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/functionD Cannot use `yield` as an identifier in a generator context Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/functionDeclarations/FunctionDeclaration5_es6.ts Cannot use `yield` as an identifier in a generator context -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/functionDeclarations/FunctionDeclaration8_es6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/functionDeclarations/FunctionDeclaration9_es6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/functionPropertyAssignments/FunctionPropertyAssignments1_es6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/functionPropertyAssignments/FunctionPropertyAssignments5_es6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsAmd/anonymousDefaultExportsAmd.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsAmd/decoratedDefaultExportsGetExportedAmd.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsAmd/defaultExportsGetExportedAmd.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsAmd/outFilerootDirModuleNamesAmd.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsCommonjs/anonymousDefaultExportsCommonjs.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsCommonjs/decoratedDefaultExportsGetExportedCommonjs.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsCommonjs/defaultExportsGetExportedCommonjs.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsSystem/anonymousDefaultExportsSystem.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsSystem/decoratedDefaultExportsGetExportedSystem.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsSystem/defaultExportsGetExportedSystem.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsSystem/outFilerootDirModuleNamesSystem.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsSystem/topLevelVarHoistingCommonJS.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsSystem/topLevelVarHoistingSystem.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsUmd/anonymousDefaultExportsUmd.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsUmd/decoratedDefaultExportsGetExportedUmd.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsUmd/defaultExportsGetExportedUmd.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/defaultExportInAwaitExpression01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/defaultExportInAwaitExpression02.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/defaultExportWithOverloads01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/defaultExportsCannotMerge01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/defaultExportsCannotMerge02.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/defaultExportsCannotMerge03.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/defaultExportsCannotMerge04.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportAndImport-es5-amd.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportAndImport-es5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportBinding.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportStar-amd.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportStar.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports1-amd.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports1-es6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports3-amd.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports3-es6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports4-amd.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports4-es6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImports4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImportsWithContextualKeywordNames01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImportsWithContextualKeywordNames02.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImportsWithUnderscores2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImportsWithUnderscores3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/importEmptyFromModuleNotExisted.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/multipleDefaultExports01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/multipleDefaultExports02.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/multipleDefaultExports03.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/multipleDefaultExports04.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/multipleDefaultExports05.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/reExportDefaultExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/newTarget/invalidNewTarget.es5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/newTarget/invalidNewTarget.es6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/newTarget/newTarget.es5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/newTarget/newTarget.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersFunctionES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersFunctionExpression.ts @@ -4514,33 +3641,17 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/e Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersMethod.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersMethodES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/readonlyRestParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesAssignmentES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesAssignmentError.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesAssignmentErrorFromMissingIdentifier.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesErrorFromNoneExistingIdentifier.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesFunctionArgument.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesFunctionArgument2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesWithModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesWithModuleES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/arraySpreadImportHelpers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/arraySpreadInCall.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray7.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInArray9.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall10.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall11.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall12.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall5.ts @@ -4717,10 +3828,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedE Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInStrings08.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInStrings09.ts tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInStrings10.ts -serde_json::from_str(estree_json) error: unexpected end of hex escape at line 30 column 29 +serde_json::from_str(oxc_json) error: unexpected end of hex escape at line 30 column 29 tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInStrings11.ts -serde_json::from_str(estree_json) error: lone leading surrogate in hex escape at line 30 column 28 +serde_json::from_str(oxc_json) error: lone leading surrogate in hex escape at line 30 column 28 Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInStrings13.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInStrings15.ts @@ -4736,10 +3847,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedE Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInTemplates08.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInTemplates09.ts tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInTemplates10.ts -serde_json::from_str(estree_json) error: unexpected end of hex escape at line 37 column 36 +serde_json::from_str(oxc_json) error: unexpected end of hex escape at line 38 column 36 tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInTemplates11.ts -serde_json::from_str(estree_json) error: lone leading surrogate in hex escape at line 37 column 35 +serde_json::from_str(oxc_json) error: lone leading surrogate in hex escape at line 38 column 35 Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInTemplates13.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/unicodeExtendedEscapes/unicodeExtendedEscapesInTemplates15.ts @@ -4754,7 +3865,6 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/variableD Missing initializer in const declaration Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/variableDeclarations/VariableDeclaration6_es6.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/YieldExpression10_es6.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/YieldExpression12_es6.ts A 'yield' expression is only allowed in a generator body. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/YieldExpression14_es6.ts @@ -4768,21 +3878,13 @@ A 'yield' expression is only allowed in a generator body. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/YieldExpression2_es6.ts A 'yield' expression is only allowed in a generator body. Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorNoImplicitReturns.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck28.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck32.ts A 'yield' expression is only allowed in a generator body. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck41.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck42.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck43.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck44.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck46.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck62.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck63.ts tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/yieldExpressionInControlFlow.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/compoundExponentiationAssignmentLHSCanBeAssigned1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/compoundExponentiationAssignmentLHSCannotBeAssigned.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/emitCompoundExponentiationAssignmentWithIndexingOnLHS2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/emitCompoundExponentiationAssignmentWithIndexingOnLHS3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/emitCompoundExponentiationAssignmentWithIndexingOnLHS4.ts @@ -4823,44 +3925,26 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDe Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/classSuper/esDecorators-classDeclaration-classSuper.4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/classSuper/esDecorators-classDeclaration-classSuper.5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/classSuper/esDecorators-classDeclaration-classSuper.6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/classThisReference/esDecorators-classDeclaration-classThisReference.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-commentPreservation.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-commonjs-classNamespaceMerge.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-commonjs.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-missingEmitHelpers-classDecorator.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-missingEmitHelpers-nonStaticPrivateAutoAccessor.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-missingEmitHelpers-staticComputedAutoAccessor.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-missingEmitHelpers-staticPrivateAutoAccessor.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-parameterProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-setFunctionName.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-sourceMap.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/fields/esDecorators-classDeclaration-fields-nonStaticAbstractAccessor.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/fields/esDecorators-classDeclaration-fields-nonStaticAccessor.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/fields/esDecorators-classDeclaration-fields-nonStaticPrivateAccessor.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/fields/esDecorators-classDeclaration-fields-staticAccessor.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/fields/esDecorators-classDeclaration-fields-staticPrivateAccessor.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/classSuper/esDecorators-classExpression-classSuper.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/classSuper/esDecorators-classExpression-classSuper.3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/classSuper/esDecorators-classExpression-classSuper.4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/classSuper/esDecorators-classExpression-classSuper.5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/classSuper/esDecorators-classExpression-classSuper.6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-commentPreservation.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.14.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.17.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/namedEvaluation/esDecorators-classExpression-namedEvaluation.2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/namedEvaluation/esDecorators-classExpression-namedEvaluation.4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/namedEvaluation/esDecorators-classExpression-namedEvaluation.5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/namedEvaluation/esDecorators-classExpression-namedEvaluation.6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/namedEvaluation/esDecorators-classExpression-namedEvaluation.7.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/namedEvaluation/esDecorators-classExpression-namedEvaluation.8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/esDecorators-arguments.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/esDecorators-contextualTypes.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/esDecorators-contextualTypes.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/esDecorators/esDecorators-decoratorExpression.1.ts Expected a semicolon or an implicit semicolon after a statement, but found none Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/esDecorators-decoratorExpression.2.ts @@ -4875,19 +3959,11 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/asOperat Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/asOperator/asOperatorContextualType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/assignmentOperator/assignmentGenericLookupTypeNarrowing.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/assignmentOperator/assignmentTypeNarrowing.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/assignmentOperator/compoundAdditionAssignmentLHSCanBeAssigned.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/assignmentOperator/compoundAdditionAssignmentLHSCannotBeAssigned.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/assignmentOperator/compoundAdditionAssignmentWithInvalidOperands.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/assignmentOperator/compoundArithmeticAssignmentLHSCanBeAssigned.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/assignmentOperator/compoundArithmeticAssignmentWithInvalidOperands.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithAnyAndEveryType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithConstrainedTypeParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithInvalidOperands.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithNullValueAndInvalidOperator.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithNullValueAndValidOperator.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithNumberAndEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithOnlyNullValueOrUndefinedValue.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithStringAndEveryType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithUndefinedValueAndInvalidOperands.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithUndefinedValueAndValidOperator.ts @@ -4900,33 +3976,23 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOp Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithUndefinedValueAndInvalidOperands.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithUndefinedValueAndValidOperands.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithIdenticalPrimitiveType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNoRelationshipObjectsOnCallSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNoRelationshipObjectsOnConstructorSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNoRelationshipObjectsOnInstantiatedCallSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNoRelationshipObjectsOnInstantiatedConstructorSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNoRelationshipPrimitiveType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNoRelationshipTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNumberOperand.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithOneOperandIsAny.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithOneOperandIsNull.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithOneOperandIsUndefined.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithSubtypeEnumAndNumber.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithSubtypeObjectOnCallSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithSubtypeObjectOnConstructorSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithSubtypeObjectOnInstantiatedCallSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithSubtypeObjectOnInstantiatedConstructorSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/inOperator/inOperatorWithInvalidOperands.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/instanceofOperator/instanceofOperatorWithRHSHasSymbolHasInstance.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalAndOperator/logicalAndOperatorWithEveryType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalAndOperator/logicalAndOperatorWithTypeParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalOrOperator/logicalOrExpressionIsContextuallyTyped.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalOrOperator/logicalOrExpressionIsNotContextuallyTyped.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalOrOperator/logicalOrOperatorWithEveryType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalOrOperator/logicalOrOperatorWithTypeParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/commaOperator/commaOperatorOtherInvalidOperation.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/commaOperator/commaOperatorOtherValidOperation.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/commaOperator/commaOperatorWithSecondOperandObjectType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorConditionIsBooleanType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorConditionIsNumberType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorConditionIsObjectType.ts @@ -4943,7 +4009,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextu Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/getSetAccessorContextualTyping.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/iterableContextualTyping1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/objectLiteralContextualTyping.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/parenthesizedContexualTyping1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/parenthesizedContexualTyping2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/parenthesizedContexualTyping3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/superCallParameterContextualTyping1.ts @@ -4952,7 +4017,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextu Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/taggedTemplateContextualTyping1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/taggedTemplateContextualTyping2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/elementAccess/letIdentifierInElementAccess01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/elementAccess/stringEnumInElementAccess01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callOverload.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithMissingVoid.ts tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithMissingVoidUndefinedUnknownAnyInJs.ts @@ -4972,15 +4036,12 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/function Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/typeArgumentInferenceConstructSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/typeArgumentInferenceErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/typeArgumentInferenceWithConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/typeArgumentInferenceWithObjectLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functions/arrowFunctionContexts.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functions/arrowFunctionExpressions.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functions/contextuallyTypedIife.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functions/contextuallyTypedIifeStrict.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functions/typeOfThisInFunctionExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/identifiers/scopeResolutionIdentifiers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperator1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperator12.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperatorInAsyncGenerator.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperatorInParameterBindingPattern.2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperatorInParameterBindingPattern.ts @@ -4990,7 +4051,6 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/expressions/o Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/objectLiterals/objectLiteralGettersAndSetters.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/objectLiterals/objectLiteralNormalization.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/callChain/callChain.3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/callChain/callChain.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/callChain/callChainInference.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/callChain/callChainWithSuper.ts @@ -5004,19 +4064,13 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optional Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/optionalChainingInference.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/taggedTemplateChain/taggedTemplateChain.ts Tagged template expressions are not permitted in an optional chain -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/propertyAccess/propertyAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/propertyAccess/propertyAccessWidening.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/superCalls/superCalls.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/superPropertyAccess/errorSuperPropertyAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/superPropertyAccess/superPropertyAccessNoError.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/thisKeyword/thisInInvalidContexts.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/thisKeyword/thisInInvalidContextsExternalModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/thisKeyword/thisInObjectLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/thisKeyword/typeOfThisInConstructorParamList.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeAssertions/constAssertionOnEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeAssertions/constAssertions.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/TypeGuardWithEnumUnion.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardEnums.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardFunctionOfFormThis.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardFunctionOfFormThisErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardIntersectionTypes.ts @@ -5044,25 +4098,13 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuar Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInRightOperandOfOrOrOperator.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsObjectMethods.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsOnClassProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsWithAny.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsWithInstanceOf.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typePredicateOnVariableDeclaration01.ts Expected a semicolon or an implicit semicolon after a statement, but found none -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfactionWithDefaultExport.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_asConstArrays.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_contextualTyping1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_contextualTyping2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_contextualTyping3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_ensureInterfaceImpl.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_errorLocations1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_optionalMemberConformance.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_propNameConstraining.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_propertyNameFulfillment.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_propertyValueConformance1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_propertyValueConformance2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_propertyValueConformance3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_vacuousIntersectionOfContextualTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/bitwiseNotOperator/bitwiseNotOperatorWithAnyOtherType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/bitwiseNotOperator/bitwiseNotOperatorWithBooleanType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/bitwiseNotOperator/bitwiseNotOperatorWithEnumType.ts @@ -5104,11 +4146,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOpe Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/voidOperator/voidOperatorWithEnumType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/voidOperator/voidOperatorWithNumberType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/voidOperator/voidOperatorWithStringType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/valuesAndReferences/assignmentToParenthesizedIdentifiers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/valuesAndReferences/assignments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/amdImportAsPrimaryExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/amdImportNotAsPrimaryExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/commonJSImportNotAsPrimaryExpression.ts tasks/coverage/typescript/tests/cases/conformance/externalModules/commonJsImportBindingElementNarrowType.ts Unexpected estree file content error: 1 != 2 @@ -5143,12 +4181,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esne Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/exnextmodulekindExportClassNameWithObject.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAmbientClassNameWithObject.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAssignTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAssignmentAndDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAssignmentConstrainedGenericType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAssignmentMergedInterface.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAssignmentOfExportNamespaceWithDefault.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAssignmentTopLevelEnumdule.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportClassNameWithObjectAMD.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportClassNameWithObjectCommonJS.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportClassNameWithObjectSystem.ts @@ -5157,24 +4191,20 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/expo Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportNonInitializedVariablesInIfThenStatementNoCrash1.ts Missing initializer in const declaration Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportNonLocalDeclarations.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportNonVisibleType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportTypeMergedWithExportStarAsNamespace.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/globalAugmentationModuleResolution.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/moduleResolutionWithExtensions.ts tasks/coverage/typescript/tests/cases/conformance/externalModules/moduleResolutionWithoutExtension3.ts Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/externalModules/moduleResolutionWithoutExtension4.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/moduleScoping.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/multipleExportDefault1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/multipleExportDefault2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/multipleExportDefault3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/multipleExportDefault4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/multipleExportDefault5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/multipleExportDefault6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/reexportClassDefinition.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/relativePathToDeclarationFile.ts tasks/coverage/typescript/tests/cases/conformance/externalModules/rewriteRelativeImportExtensions/emit.ts Unexpected estree file content error: 4 != 5 @@ -5208,31 +4238,16 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topL Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelModuleDeclarationAndFile.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeAndNamespaceExportMerge.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/allowsImportingTsExtension.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/computedPropertyName.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/enums.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/exportDefault.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/filterNamespace_import.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/generic.ts tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/grammarErrors.ts Unexpected estree file content error: 3 != 4 Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/implementsClause.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importClause_default.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importClause_namedImports.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importClause_namespaceImport.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importDefaultNamedType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importDefaultNamedType2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importEqualsDeclaration.ts tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importSpecifiers_js.ts Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importsNotUsedAsValues_error.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/namespaceImportTypeQuery.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/namespaceImportTypeQuery2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/namespaceImportTypeQuery3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/namespaceImportTypeQuery4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/namespaceMemberAccess.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/preserveValueImports.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/preserveValueImports_module.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd-augmentation-1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd-augmentation-2.ts @@ -5246,12 +4261,9 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd9 Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxAmbientConstEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxCompat.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxConstEnum.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxConstEnumUsage.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxInternalImportEquals.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxNoElisionCJS.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxNoElisionESM.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxRestrictionsCJS.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxRestrictionsESM.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/fixSignatureCaching.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/functionImplementationErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/functionImplementations.ts @@ -5273,12 +4285,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generator Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorReturnTypeFallback.2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorReturnTypeFallback.4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorReturnTypeFallback.5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorYieldContextualType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/restParameterInDownlevelGenerator.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/yieldStatementNoAsiAfterTransform.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/importAttributes/importAttributes7.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/importAttributes/importAttributes8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/importAttributes/importAttributes9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/inferFromBindingPattern.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/genericAndNonGenericInterfaceWithTheSameName.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/genericAndNonGenericInterfaceWithTheSameName2.ts @@ -5301,9 +4309,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/interface Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/interfaceDeclarations/interfaceExtendsObjectIntersection.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/interfaceDeclarations/interfaceExtendsObjectIntersectionErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/interfaceDeclarations/interfaceWithMultipleBaseTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/interfaceDeclarations/interfaceWithPropertyOfEveryType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/AmbientModuleAndNonAmbientClassWithSameNameAndCommonRoot.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/AmbientModuleAndNonAmbientFunctionWithTheSameNameAndCommonRoot.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ClassAndModuleThatMergeWithModuleMemberThatUsesClassTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ClassAndModuleThatMergeWithStaticFunctionAndExportedFunctionThatShareAName.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ClassAndModuleThatMergeWithStaticFunctionAndNonExportedFunctionThatShareAName.ts @@ -5313,11 +4319,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/Decl Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ClassAndModuleWithSameNameAndCommonRoot.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ClassAndModuleWithSameNameAndCommonRootES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/EnumAndModuleWithSameNameAndCommonRoot.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/FunctionAndModuleWithSameNameAndCommonRoot.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/FunctionAndModuleWithSameNameAndDifferentCommonRoot.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ModuleAndClassWithSameNameAndCommonRoot.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ModuleAndEnumWithSameNameAndCommonRoot.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ModuleAndFunctionWithSameNameAndCommonRoot.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/TwoInternalModulesThatMergeEachWithExportedAndNonExportedClassesOfTheSameName.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/TwoInternalModulesThatMergeEachWithExportedAndNonExportedInterfacesOfTheSameName.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/TwoInternalModulesThatMergeEachWithExportedAndNonExportedLocalVarsOfTheSameName.ts @@ -5329,7 +4332,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/Decl Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/TwoInternalModulesWithTheSameNameAndSameCommonRoot.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/codeGeneration/exportCodeGen.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/codeGeneration/importStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/codeGeneration/importStatementsInterfaces.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/codeGeneration/nameCollision.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportClassWhichExtendsInterfaceWithInaccessibleType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportClassWithAccessibleTypesInTypeParameterConstraintsClassHeritageListMemberTypeAnnotations.ts @@ -5337,14 +4339,9 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/expo Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportFunctionWithAccessibleTypesInParameterAndReturnTypeAnnotation.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportFunctionWithInaccessibleTypesInParameterTypeAnnotation.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportFunctionWithInaccessibleTypesInReturnTypeAnnotation.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportInterfaceWithAccessibleTypesInTypeParameterConstraintsClassHeritageListMemberTypeAnnotations.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportInterfaceWithInaccessibleTypeInTypeParameterConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportModuleWithAccessibleTypesOnItsExportedMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportObjectLiteralAndObjectTypeLiteralWithAccessibleTypesInMemberTypeAnnotations.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportObjectLiteralAndObjectTypeLiteralWithAccessibleTypesInNestedMemberTypeAnnotations.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportVariableWithAccessibleTypeInTypeAnnotation.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportVariableWithInaccessibleTypeInTypeAnnotation.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ModuleWithExportedAndNonExportedEnums.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ModuleWithExportedAndNonExportedImportAlias.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/importDeclarations/circularImportAlias.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/importDeclarations/exportImportAlias.ts @@ -5356,7 +4353,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/modu Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleDeclarations/instantiatedModule.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleDeclarations/invalidNestedModules.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleDeclarations/nestedModules.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleDeclarations/nonInstantiatedModule.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleDeclarations/reExportAliasMakesInstantiated.ts tasks/coverage/typescript/tests/cases/conformance/jsdoc/checkExportsObjectAssignProperty.ts Unexpected estree file content error: 1 != 4 @@ -5477,7 +4473,6 @@ tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocImportTypeReference Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocLinkTag5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocLinkTag9.ts tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocParseBackquotedParamName.ts Unexpected estree file content error: 1 != 2 @@ -5524,9 +4519,7 @@ Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxChildrenCanBeTupleType.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxChildrenProperty14.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxChildrenProperty16.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxChildrenProperty2.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxGenericTagHasCorrectInferences.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxIntersectionElementPropsType.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxSubtleSkipContextSensitiveBug.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxUnionSFXContextualTypeInferredCorrectly.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/commentEmittingInPreserveJsx1.tsx @@ -5548,7 +4541,6 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxParsin JSX expressions may not use the comma operator Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxReactTestSuite.tsx JSX expressions may not use the comma operator -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxSpreadOverwritesAttributeStrict.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformChildren.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformCustomImport.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformCustomImportPragma.tsx @@ -5558,18 +4550,12 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsT Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformNestedSelfClosingChild.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformSubstitutesNames.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformSubstitutesNamesFragment.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxAttributeErrors.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxAttributeResolution14.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxAttributeResolution15.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxAttributeResolution16.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxAttributeResolution3.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxAttributeResolution4.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxCorrectlyParseLessThanComparison1.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxDynamicTagName6.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxElementResolution17.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxElementResolution19.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxEmit1.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxExternalModuleEmit2.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxFragmentPreserveEmit.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxFragmentReactEmit.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxGenericAttributesType9.tsx @@ -5577,35 +4563,20 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxLibraryManage Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxOpeningClosingNames.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxPreserveEmit1.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxPreserveEmit3.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxReactEmit1.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxReactEmit8.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxReactEmitEntities.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxReactEmitNesting.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution10.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution11.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution12.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution13.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution14.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution15.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution16.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution17.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution2.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution3.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution4.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution5.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution6.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution7.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution8.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution9.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadChildren.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadChildrenInvalidType.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentOverload1.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentOverload2.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentOverload4.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentOverload5.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentOverload6.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponents3.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentsWithTypeArguments1.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentsWithTypeArguments5.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxTypeArgumentsJsxPreserveOutput.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxTypeErrors.tsx @@ -5632,14 +4603,12 @@ Unexpected estree file content error: 10 != 11 tasks/coverage/typescript/tests/cases/conformance/moduleResolution/bundler/bundlerNodeModules1.ts Unexpected estree file content error: 2 != 7 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/moduleResolution/bundler/bundlerRelative1.ts tasks/coverage/typescript/tests/cases/conformance/moduleResolution/bundler/bundlerSyntaxRestrictions.ts Unexpected estree file content error: 4 != 5 tasks/coverage/typescript/tests/cases/conformance/moduleResolution/conditionalExportsResolutionFallback.ts Unexpected estree file content error: 1 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/moduleResolution/customConditions.ts tasks/coverage/typescript/tests/cases/conformance/moduleResolution/declarationNotFoundPackageBundlesTypes.ts Unexpected estree file content error: 2 != 4 @@ -5861,8 +4830,6 @@ Unexpected estree file content error: 1 != 3 Mismatch: tasks/coverage/typescript/tests/cases/conformance/nonjsExtensions/declarationFileForHtmlFileWithinDeclarationFile.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/nonjsExtensions/declarationFileForHtmlImport.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/nonjsExtensions/declarationFileForJsonImport.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/nonjsExtensions/declarationFileForTsJsImport.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/override/override11.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/override/override19.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/override/override20.ts @@ -5873,15 +4840,8 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/override/over override' modifier already seen. Mismatch: tasks/coverage/typescript/tests/cases/conformance/override/override8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/override/overrideWithoutNoImplicitOverride1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript3/Accessors/parserES3Accessors3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript3/Accessors/parserES3Accessors4.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Accessors/parserAccessors10.ts 'public' modifier cannot be used here. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Accessors/parserAccessors3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Accessors/parserAccessors4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Accessors/parserAccessors7.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Accessors/parserAccessors8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Accessors/parserAccessors9.ts tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ArrowFunctionExpressions/parserArrowFunctionExpression10.ts Unexpected estree file content error: 1 != 2 @@ -5906,7 +4866,6 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ArrowFunctionExpressions/parserArrowFunctionExpression17.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ArrowFunctionExpressions/parserArrowFunctionExpression7.ts tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ArrowFunctionExpressions/parserArrowFunctionExpression8.ts Unexpected estree file content error: 1 != 2 @@ -5915,9 +4874,6 @@ Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ClassDeclarations/parserClass1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ClassDeclarations/parserClass2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ComputedPropertyNames/parserES5ComputedPropertyName2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ComputedPropertyNames/parserES5ComputedPropertyName3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ComputedPropertyNames/parserES5ComputedPropertyName4.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ComputedPropertyNames/parserES5ComputedPropertyName6.ts Computed property names are not allowed in enums. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ConstructorDeclarations/parserConstructorDeclaration11.ts @@ -5929,18 +4885,8 @@ Type parameters cannot appear on a constructor declaration Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnum1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnum2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnum3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnum6.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnum7.ts An enum member cannot have a numeric name. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnumDeclaration1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnumDeclaration2.d.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnumDeclaration2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnumDeclaration3.d.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnumDeclaration3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnumDeclaration5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnumDeclaration6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserInterfaceKeywordInEnum.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserInterfaceKeywordInEnum1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/ExtendsOrImplementsClauses/parserErrorRecovery_ExtendsOrImplementsClause2.ts Expected `{` but found `EOF` Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/ExtendsOrImplementsClauses/parserErrorRecovery_ExtendsOrImplementsClause5.ts @@ -5950,8 +4896,6 @@ Expected `{` but found `EOF` Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/IncompleteMemberVariables/parserErrorRecovery_IncompleteMemberVariable1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/VariableLists/parserErrorRecovery_VariableList1.ts Identifier expected. 'return' is a reserved word that cannot be used here. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/parserCommaInTypeMemberList2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/parserErrantSemicolonInClass1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/parserModifierOnStatementInBlock1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/parserModifierOnStatementInBlock3.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/parserStatementIsNotAMemberVariableDeclaration1.ts @@ -5960,7 +4904,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/E Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ExportAssignments/parserExportAssignment2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ExportAssignments/parserExportAssignment7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ExportAssignments/parserExportAssignment8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ExportAssignments/parserExportAssignment9.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Expressions/parserAssignmentExpression1.ts Cannot assign to this expression Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Fuzz/parser768531.ts @@ -6008,7 +4951,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/M Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ModuleDeclarations/parserModuleDeclaration7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ModuleDeclarations/parserModuleDeclaration8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ModuleDeclarations/parserModuleDeclaration9.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ObjectLiterals/parserObjectLiterals1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ObjectTypes/parserObjectType6.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ParameterLists/parserParameterList1.ts @@ -6018,10 +4960,6 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmasc A rest parameter cannot be optional Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ParameterLists/parserParameterList9.ts A rest parameter cannot be optional -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/PropertyAssignments/parserFunctionPropertyAssignment1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/PropertyAssignments/parserFunctionPropertyAssignment2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/PropertyAssignments/parserFunctionPropertyAssignment3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/PropertyAssignments/parserFunctionPropertyAssignment4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Protected/Protected9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RealWorld/parserindenter.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parser509546.ts @@ -6032,7 +4970,6 @@ Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parser509698.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parser618973.ts 'export' modifier cannot be used here. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parserNotHexLiteral1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegularExpressions/parserRegularExpressionDivideAmbiguity3.ts Unexpected flag a in regular expression literal Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/BreakStatements/parser_breakTarget1.ts @@ -6057,7 +4994,6 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmasc A 'return' statement can only be used within a function body. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ReturnStatements/parserReturnStatement2.ts A 'return' statement can only be used within a function body. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ReturnStatements/parserReturnStatement4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserES5ForOfStatement12.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserES5ForOfStatement13.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserES5ForOfStatement16.ts @@ -6069,7 +5005,6 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmasc A 'return' statement can only be used within a function body. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserWithStatement2.ts A 'return' statement can only be used within a function body. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/StrictMode/parserStrictMode12.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/SuperExpressions/parserSuperExpression1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/SuperExpressions/parserSuperExpression4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/VariableDeclarations/parserVariableDeclaration1.ts @@ -6081,8 +5016,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/p Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parser15.4.4.14-9-2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserArgumentList1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserAstSpans1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserInExpression1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserKeywordsAsIdentifierName1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserNotRegex1.ts A 'return' statement can only be used within a function body. Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserRealSource1.ts @@ -6105,28 +5038,20 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/p Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserUsingConstructorAsIdentifier.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName16.ts Computed property names are not allowed in enums. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName17.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName26.ts Computed property names are not allowed in enums. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName3.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName34.ts Computed property names are not allowed in enums. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName35.ts Expected `]` but found `,` -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName37.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName41.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName5.ts 'public' modifier cannot be used here. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/Iterators/parserForOfStatement12.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/Iterators/parserForOfStatement13.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/Iterators/parserForOfStatement16.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/Iterators/parserForOfStatement22.ts The left-hand side of a `for...of` statement may not be `async` Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/Iterators/parserForOfStatement25.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/pedantic/noUncheckedIndexedAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/pedantic/noUncheckedIndexedAccessDestructuring.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-10.ts @@ -6153,7 +5078,6 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/salsa/constru Constructor can't have get/set modifier Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/salsa/constructorNameInGenerator.ts Constructor can't be a generator -Mismatch: tasks/coverage/typescript/tests/cases/conformance/salsa/constructorNameInObjectLiteralAccessor.ts tasks/coverage/typescript/tests/cases/conformance/salsa/enumMergeWithExpando.ts Unexpected estree file content error: 1 != 2 @@ -6225,7 +5149,6 @@ Unexpected estree file content error: 1 != 3 tasks/coverage/typescript/tests/cases/conformance/salsa/typeFromPropertyAssignment19.ts Unexpected estree file content error: 1 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/salsa/typeFromPropertyAssignment29.ts tasks/coverage/typescript/tests/cases/conformance/salsa/varRequireFromTypescript.ts Unexpected estree file content error: 1 != 2 @@ -6237,33 +5160,21 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/ Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannerS7.3_A1.1_T2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannerS7.6_A4.2_T1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannertest1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/everyTypeWithAnnotationAndInitializer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/everyTypeWithAnnotationAndInvalidInitializer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/everyTypeWithInitializer.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/recursiveInitializer.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.10.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.15.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsInForAwaitOf.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsInForAwaitOf.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsInForOf.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsInForOf.4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsTopLevelOfModule.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsWithImportHelpers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsWithIteratorObject.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarations.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarations.11.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarations.12.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarations.15.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarations.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarations.3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsDeclarationEmit.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsDeclarationEmit.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsInForAwaitOf.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsInForOf.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsNamedEvaluationDecoratorsAndClassFields.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsTopLevelOfModule.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsTopLevelOfModule.2.ts @@ -6281,7 +5192,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableS Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithImportHelpers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithIteratorObject.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.10.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.11.ts @@ -6318,12 +5228,9 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueS Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/whileContinueStatements.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-await-ofStatements/emitter.forAwait.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-await-ofStatements/forAwaitPerIterationBindingDownlevel.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-inStatements/for-inStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-inStatements/for-inStatementsAsyncIdentifier.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-inStatements/for-inStatementsDestructuring2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-inStatements/for-inStatementsDestructuring3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-inStatements/for-inStatementsDestructuring4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of10.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of12.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of20.ts @@ -6332,15 +5239,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofSta Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of29.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of30.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of31.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of34.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of35.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of37.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-ofTypeCheck10.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/forStatements/forStatements.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/forStatements/forStatementsMultipleValidDecl.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/ifDoWhileStatements/ifDoWhileStatements.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/labeledStatements/labeledStatementDeclarationListInLoopNoCrash2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/statements/labeledStatements/labeledStatementExportDeclarationNoCrash1.ts Missing initializer in const declaration @@ -6353,8 +5255,6 @@ Generators can only be declared at the top level or inside a block Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/returnStatements/invalidReturnStatements.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/returnStatements/returnStatementNoAsiAfterTransform.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/returnStatements/returnStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/switchStatements/switchStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/throwStatements/throwInEnclosingStatements.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/throwStatements/throwStatements.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/tryStatements/catchClauseWithTypeAnnotation.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/any/anyAsConstructor.ts @@ -6365,20 +5265,17 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/any/assignEver Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/asyncGenerators/types.asyncGenerators.es2018.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/conditionalTypes1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/conditionalTypes2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/conditionalTypesExcessProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/inferTypes1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/inferTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/inferTypesWithExtends1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/inferTypesWithExtends2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/inferTypesWithExtendsDependingOnTypeVariables.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/variance.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/asyncFunctions/contextuallyTypeAsyncFunctionAwaitOperand.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/asyncFunctions/contextuallyTypeAsyncFunctionReturnType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/jsxAttributes/contextuallyTypedStringLiteralsInJsxAttributes01.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/jsxAttributes/contextuallyTypedStringLiteralsInJsxAttributes02.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/methodDeclarations/contextuallyTypedBindingInitializer.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/methodDeclarations/contextuallyTypedBindingInitializerNegative.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/methodDeclarations/contextuallyTypedObjectLiteralMethodDeclaration01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/partiallyAnnotatedFunction/partiallyAnnotatedFunctionInferenceWithTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/partiallyAnnotatedFunction/partiallyAnnotatedFunctionWitoutTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeAmbient.ts @@ -6396,7 +5293,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importT Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeNonString.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/import/importWithTypeArguments.ts Expected `from` but found `<` -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/contextualIntersectionType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionAndUnionTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionAsWeakTypeSource.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionMemberOfUnionNarrowsCorrectly.ts @@ -6404,9 +5300,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/i Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionOfUnionOfUnitTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionReduction.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionReductionStrict.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionThisTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionTypeEquivalence.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionTypeInference.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionTypeInference2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionTypeInference3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionTypeMembers.ts @@ -6419,18 +5313,12 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/keyof/keyofAnd Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/keyof/keyofAndIndexedAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/keyof/keyofAndIndexedAccess2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/keyof/keyofAndIndexedAccessErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/enumLiteralTypes1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/enumLiteralTypes2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/enumLiteralTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/literalTypeWidening.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/literalTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/literalTypesAndDestructuring.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/literalTypesAndTypeAssertions.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/literalTypesWidenInParameterPosition.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/numericStringLiteralTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringEnumLiteralTypes1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringEnumLiteralTypes2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringEnumLiteralTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsAssertionsInEqualityComparisons01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsAssertionsInEqualityComparisons02.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsAssignedToStringMappings.ts @@ -6456,7 +5344,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templa Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypesPatterns.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypesPatternsPrefixSuffixAssignability.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/localTypes/localTypes1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/localTypes/localTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/localTypes/localTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/isomorphicMappedTypeInference.ts @@ -6476,7 +5363,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedT Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypes4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypes5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypes6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypesAndObjects.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypesArraysTuples.ts @@ -6489,10 +5375,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/duplic Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/duplicatePropertyNames.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/duplicateStringIndexers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/indexSignatures1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeHidingMembersOfExtendedObject.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeHidingMembersOfObject.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeHidingMembersOfObjectAssignmentCompat.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeHidingMembersOfObjectAssignmentCompat2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypePropertyAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithCallSignatureAppearsToBeFunctionType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithCallSignatureHidingMembersOfExtendedFunction.ts @@ -6504,7 +5387,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/object Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithNumericProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithStringAndNumberIndexSignatureToAny.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithStringIndexerHidingObjectIndexer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithStringNamedPropertyOfIllegalCharacters.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/typesWithOptionalProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/typesWithPublicConstructor.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/typesWithSpecializedCallSignatures.ts @@ -6513,16 +5395,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/namedTypes/cla Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/namedTypes/classWithOnlyPublicMembersEquivalentToInterface2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/namedTypes/classWithOptionalParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/namedTypes/optionalMethods.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/never/neverTypeErrors1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/never/neverTypeErrors2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/assignObjectToNonPrimitive.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveAccessProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveAndEmptyObject.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveAndTypeVariables.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveAsProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveAssignError.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveConstraintOfIndexAccessType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveUnionIntersection.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignatureWithOptionalParameterAndInitializer.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignatureWithoutAnnotationsOrBody.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignatureWithoutReturnTypeAnnotationInference.ts @@ -6536,7 +5412,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLite Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/identicalCallSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/identicalCallSignatures2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/identicalCallSignatures3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/parametersWithNoAnnotationAreAny.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/restParameterWithoutAnnotationIsAnyArray.ts A rest parameter must be last in a parameter list Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/restParametersOfNonArrayTypes.ts @@ -6561,28 +5436,13 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLite Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/multipleStringIndexers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/numericIndexerConstrainsPropertyDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/numericIndexerConstrainsPropertyDeclarations2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/numericIndexingResults.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/stringIndexerConstrainsPropertyDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/stringIndexerConstrainsPropertyDeclarations2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/stringIndexingResults.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/methodSignatures/functionLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/methodSignatures/methodSignaturesWithOverloads.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/methodSignatures/methodSignaturesWithOverloads2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/propertySignatures/numericStringNamedPropertyEquivalence.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/propertySignatures/propertyNameWithoutTypeAnnotation.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/propertySignatures/propertyNamesOfReservedWords.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/propertySignatures/stringNamedPropertyAccess.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/boolean/invalidBooleanAssignments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/enum/invalidEnumAssignments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/enum/validEnumAssignments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/null/validNullAssignments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/number/validNumberAssignments.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/string/assignFromStringInterface2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/string/invalidStringAssignments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/undefined/invalidUndefinedAssignments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/undefined/invalidUndefinedValues.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/void/invalidVoidAssignments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/void/invalidVoidValues.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/genericObjectRest.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/genericRestArity.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/genericRestArityStrict.ts @@ -6625,27 +5485,14 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingType Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeReferences/genericTypeReferenceWithoutTypeArgument2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeReferences/genericTypeReferenceWithoutTypeArgument3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeReferences/nonGenericTypeReferenceWithTypeArguments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpread.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadComputedProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadIndexSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadNegative.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadNoTransform.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadRepeatedComplexity.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadRepeatedNullCheckPerf.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadSetonlyAccessor.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadStrictNull.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadContextualTypedBindingPattern.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadDuplicate.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadDuplicateExact.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadExcessProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadMethods.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadNonObject1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadNonPrimitive.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadObjectOrFalsy.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadOverwritesProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadOverwritesPropertyStrict.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadUnion.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadUnion3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralCheckedInIf01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralCheckedInIf02.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralMatchedInSwitch01.ts @@ -6653,9 +5500,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAndLogicalOrExpressions01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAndParenthesizedExpressions01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAndTuples01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAsTags01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAsTags02.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAsTags03.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAsTypeParameterConstraint01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAsTypeParameterConstraint02.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesInVariableDeclarations01.ts @@ -6673,18 +5518,12 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesWithVariousOperators01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesWithVariousOperators02.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/typeArgumentsWithStringLiteralTypes01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/contextualThisType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/declarationFiles.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/inferThisType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/looseThisTypeInFunctions.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeErrors2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInAccessors.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInAccessorsNegative.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInFunctions.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInFunctions2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInFunctions4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInObjectLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInObjectLiterals2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInTaggedTemplateCall.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInTypePredicate.ts @@ -6708,7 +5547,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/variadic Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/variadicTuples2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/variadicTuples3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeAliases/directDependenceBetweenTypeAliases.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeAliases/genericTypeAliases.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeAliases/intrinsicTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeAliases/typeAliases.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeAliases/typeAliasesDoNotMerge.ts @@ -6731,26 +5569,20 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/typeParameterAsTypeParameterConstraintTransitively2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/wrappedAndRecursiveConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/wrappedAndRecursiveConstraints3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/wrappedAndRecursiveConstraints4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterAsBaseType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/innerTypeParameterShadowingOuterOne.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/innerTypeParameterShadowingOuterOne2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/propertyAccessOnTypeParameterWithConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/propertyAccessOnTypeParameterWithConstraints2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/propertyAccessOnTypeParameterWithConstraints3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/propertyAccessOnTypeParameterWithConstraints4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/propertyAccessOnTypeParameterWithConstraints5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/propertyAccessOnTypeParameterWithoutConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/staticMembersUsingClassTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/typeParameterConstModifiers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/typeParameterConstModifiersReverseMappedTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/typeParameterConstModifiersWithIntersection.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/typeParameterDirectlyConstrainedToItself.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/typeParametersAvailableInNestedScope3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/apparentType/apparentTypeSubtyping.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/apparentType/apparentTypeSupertype.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/anyAssignabilityInInheritance.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/anyAssignableToEveryType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/anyAssignableToEveryType2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatBetweenTupleAndArray.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignatures.ts @@ -6769,7 +5601,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationsh Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithConstructSignatures6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithConstructSignaturesWithOptionalParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithDiscriminatedUnion.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithEnumIndexer.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithGenericCallSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithGenericCallSignatures2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithGenericCallSignatures3.ts @@ -6804,15 +5635,11 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationsh Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/covariantCallbacks.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/enumAssignability.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/enumAssignabilityInInheritance.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/everyTypeAssignableToAny.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/genericCallWithObjectTypeArgsAndInitializers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/intersectionIncludingPropFromGlobalAugmentation.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/nullAssignableToEveryType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/numberAssignableToEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/typeParameterAssignability.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/typeParameterAssignability2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/typeParameterAssignability3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/undefinedAssignableToEveryType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/unionTypesAssignability.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/arrayLiteralWithMultipleBestCommonTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/bestCommonTypeOfConditionalExpressions.ts @@ -6823,13 +5650,7 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationsh Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/functionWithMultipleReturnStatements2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/heterogeneousArrayLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/equalityWithEnumTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/equalityWithIntersectionTypes01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/equalityWithUnionTypes01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/independentPropertyVariance.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/optionalProperties01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/optionalProperties02.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/typeAssertionsWithIntersectionTypes01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/typeAssertionsWithUnionTypes01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/instanceOf/narrowingConstrainedTypeVariable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/instanceOf/narrowingGenericTypeFromInstanceof01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/recursiveTypes/infiniteExpansionThroughInstantiation.ts @@ -6848,7 +5669,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationsh Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfTypeParameterWithConstraints3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfTypeParameterWithConstraints4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfTypeParameterWithRecursiveConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithCallSignatures2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithCallSignatures3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithCallSignatures4.ts @@ -6882,7 +5702,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationsh Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithStringIndexer3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithStringIndexer4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/undefinedIsSubtypeOfEverything.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/unionSubtypeIfEveryConstituentTypeIsSubtype.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentity.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentity2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithCallSignatures.ts @@ -6946,8 +5765,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationsh Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithGenericSignatureArguments2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithGenericSignatureArguments3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithNonSymmetricSubtypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectLiteralArgs.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgs2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndConstraints2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndConstraints3.ts @@ -6964,7 +5781,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationsh Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithTupleType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericClassWithFunctionTypedMemberArguments.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericClassWithObjectTypeArgsAndConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericContextualTypes1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericContextualTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericContextualTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/intraExpressionInferences.ts @@ -6981,7 +5797,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/contextu Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/contextualTypeWithUnionTypeIndexSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/contextualTypeWithUnionTypeMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/contextualTypeWithUnionTypeObjectLiteral.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/discriminatedUnionTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/discriminatedUnionTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeCallSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeCallSignatures2.ts @@ -6995,14 +5810,12 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTyp Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeFromArrayLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeIndexSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeReduction2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/uniqueSymbol/uniqueSymbols.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/uniqueSymbol/uniqueSymbolsDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/uniqueSymbol/uniqueSymbolsDeclarationsErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/uniqueSymbol/uniqueSymbolsErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/uniqueSymbol/uniqueSymbolsPropertyNames.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/unknown/unknownType1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/unknown/unknownType2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/witness/witness.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/typings/typingsLookup1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/typings/typingsLookup3.ts From 171d83f659374bc70535ae96655a68ce1c5bcfcb Mon Sep 17 00:00:00 2001 From: Yuji Sugiura Date: Fri, 4 Apr 2025 09:59:47 +0900 Subject: [PATCH 09/11] Fix codegen again --- crates/oxc_codegen/src/gen.rs | 19 ++++++++++++++++++- 1 file changed, 18 insertions(+), 1 deletion(-) diff --git a/crates/oxc_codegen/src/gen.rs b/crates/oxc_codegen/src/gen.rs index 8b7f3a2beba3e..e274886c558c4 100644 --- a/crates/oxc_codegen/src/gen.rs +++ b/crates/oxc_codegen/src/gen.rs @@ -3757,13 +3757,30 @@ impl Gen for TSEnumMember<'_> { fn r#gen(&self, p: &mut Codegen, ctx: Context) { match &self.id { TSEnumMemberName::Identifier(decl) => decl.print(p, ctx), - TSEnumMemberName::String(decl) => p.print_string_literal(decl, false), + TSEnumMemberName::String(decl) => { + if self.computed { + p.print_ascii_byte(b'['); + } + p.print_string_literal(decl, false); + if self.computed { + p.print_ascii_byte(b']'); + } + } TSEnumMemberName::TemplateString(decl) => { + if self.computed { + p.print_ascii_byte(b'['); + } let quasi = decl.quasis.first().unwrap(); p.add_source_mapping(quasi.span); + p.print_ascii_byte(b'`'); p.print_str(quasi.value.raw.as_str()); + p.print_ascii_byte(b'`'); + if self.computed { + p.print_ascii_byte(b']'); + } } } + if let Some(init) = &self.initializer { p.print_soft_space(); p.print_equal(); From d05d722dd9630bcd72e6bd5406381a8da2e9e97b Mon Sep 17 00:00:00 2001 From: overlookmotel Date: Wed, 9 Apr 2025 12:29:32 +0100 Subject: [PATCH 10/11] Fix snapshot --- .../coverage/snapshots/estree_typescript.snap | 2725 +---------------- 1 file changed, 4 insertions(+), 2721 deletions(-) diff --git a/tasks/coverage/snapshots/estree_typescript.snap b/tasks/coverage/snapshots/estree_typescript.snap index c27e65790272d..f7b0081bca5ea 100644 --- a/tasks/coverage/snapshots/estree_typescript.snap +++ b/tasks/coverage/snapshots/estree_typescript.snap @@ -1,36 +1,14 @@ commit: 15392346 estree_typescript Summary: -AST Parsed : 10619/10725 (99.01%) -Positive Passed: 5738/10725 (53.50%) -Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_Watch.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_WatchWithDefaults.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_WatchWithOwnWatchHost.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_compile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_jsdoc.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_linter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_parseConfig.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_transform.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/APISample_watcher.ts +AST Parsed : 10618/10725 (99.00%) +Positive Passed: 8456/10725 (78.84%) Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/ClassDeclarationWithInvalidConstOnPropertyDeclaration.ts A class member cannot have the 'const' keyword. -Mismatch: tasks/coverage/typescript/tests/cases/compiler/DeclarationErrorsNoEmitOnError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ExportAssignment7.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ExportAssignment8.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/SystemModuleForStatementNoInitializer.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/abstractPropertyInConstructor.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/accessOverriddenBaseClassMember1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/accessorAccidentalCallDiagnostic.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/accessorBodyInTypeContext.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/compiler/accessorDeclarationEmitVisibilityErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/accessorInferredReturnTypeErrorInReturnStatement.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/accessorWithRestParam.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasOfGenericFunctionWithRestBehavedSameAsUnaliased.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasOnMergedModuleInterface.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasUsedAsNameValue.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasesInSystemModule1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/aliasesInSystemModule2.ts tasks/coverage/typescript/tests/cases/compiler/allowJsCrossMonorepoPackage.ts Unexpected estree file content error: 2 != 4 @@ -43,58 +21,28 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/alwaysStrictModule4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/alwaysStrictModule5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/alwaysStrictModule6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientClassMergesOverloadsWithInterface.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientEnum1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientExportDefaultErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientExternalModuleInAnotherExternalModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientExternalModuleWithInternalImportDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientExternalModuleWithoutInternalImportDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientModuleWithTemplateLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientModules.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientNameRestrictions.ts tasks/coverage/typescript/tests/cases/compiler/ambientRequireFunction.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ambientStatement1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/ambientWithStatements.ts A 'return' statement can only be used within a function body. -Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdDeclarationEmitNoExtraDeclare.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdDependencyComment1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdDependencyComment2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdDependencyCommentName1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdDependencyCommentName2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdDependencyCommentName3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdDependencyCommentName4.ts tasks/coverage/typescript/tests/cases/compiler/amdLikeInputDeclarationEmit.ts Unexpected estree file content error: 2 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdModuleBundleNoDuplicateDeclarationEmitComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/amdModuleName1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/anonClassDeclarationEmitIsAnon.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/anonymousClassDeclarationDoesntPrintWithReadonly.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/anonymousClassExpression2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/anyMappedTypesError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/argumentsAsPropertyName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/argumentsAsPropertyName2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/argumentsSpreadRestIterables.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arityErrorRelatedSpanBindingPattern.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayAssignmentTest3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayBestCommonTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayCast.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayConcat3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayDestructuringInSwitch1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayDestructuringInSwitch2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayFind.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayFrom.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/arrayFromAsync.ts `await` is only allowed within async functions and at the top levels of modules -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayLiteralInNonVarArgParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayLiteralTypeInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrayOfExportedClass.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/arraySigChecking.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/arrowFunctionErrorSpan.ts Line terminator not permitted before arrow -Mismatch: tasks/coverage/typescript/tests/cases/compiler/arrowFunctionParsingDoesNotConfuseParenthesizedObjectForArrowHead.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asiAmbientFunctionDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asiBreak.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asiContinue.ts @@ -110,132 +58,51 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability42.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability8.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability9.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability_checking-apply-member-off-of-function-interface.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentCompatability_checking-call-member-off-of-function-interface.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentRestElementWithErrorSourceType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentToAnyArrayRestParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentToExpandingArrayType.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/assignmentToInstantiationExpression.ts The left-hand side of an assignment expression must be a variable or a property access. Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/assignmentToParenthesizedExpression1.ts Cannot assign to this expression -Mismatch: tasks/coverage/typescript/tests/cases/compiler/assignmentToReferenceTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncArrowInClassES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncFunctionReturnType.2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncFunctionTempVariableScoping.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncFunctionsAndStrictNullChecks.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncIteratorExtraParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/asyncYieldStarContextualType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentExportEquals1_1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentExportEquals2_1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentExportEquals3_1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentExportEquals4_1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentExportEquals5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentExportEquals6_1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesClass.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesClass2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesClass2a.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesClass3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesClass4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesEnum.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesEnum2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesExternalModule1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesInterface.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesModules.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesModules2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesModules3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesModules4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/augmentedTypesVar.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/autoAsiForStaticsInClassDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/autoTypeAssignedUsingDestructuringFromNeverNoCrash.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/autolift4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/avoidCycleWithVoidExpressionReturnedFromArrow.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/avoidListingPropertiesForTypesWithOnlyCallOrConstructSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/avoidNarrowingUsingConstVariableFromBindingElementWithLiteralInitializer.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/awaitInClassInAsyncFunction.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/awaitInNonAsyncFunction.ts `await` is only allowed within async functions and at the top levels of modules Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/awaitLiteralValues.ts `await` is only allowed within async functions and at the top levels of modules -Mismatch: tasks/coverage/typescript/tests/cases/compiler/awaitUnionPromise.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/awaitedType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/awaitedTypeCrash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/awaitedTypeJQuery.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/awaitedTypeStrictNull.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/badExternalModuleReference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/badInferenceLowerPriorityThanGoodInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/bangInModuleName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/baseCheck.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/baseConstraintOfDecorator.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/baseExpressionTypeParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/baseTypeAfterDerivedType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/bestChoiceType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bigintWithLib.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bigintWithoutLib.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/binaryArithmeticControlFlowGraphNotTooLarge.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bind2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bindingPatternCannotBeOnlyInferenceSource.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/bindingPatternOmittedExpressionNesting.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedBindingCaptureThisInFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedBindingUsedBeforeDef.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedBindingsReassignedInLoop2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedBindingsReassignedInLoop3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedBindingsReassignedInLoop6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedFunctionDeclarationInStrictModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/blockScopedNamespaceDifferentFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bluebirdStaticThis.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/bom-utf8.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/breakTarget6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/cachedContextualTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cachedModuleResolution1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cachedModuleResolution2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cachedModuleResolution3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cachedModuleResolution4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cachedModuleResolution5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/callOfConditionalTypeWithConcreteBranches.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/callsOnComplexSignatures.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/cannotIndexGenericWritingError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop12.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop13.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop1_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop2_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop3_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop4_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop6_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop7.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop7_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop8.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop8_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop9.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedLetConstInLoop9_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/capturedParametersInInitializers1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/castParentheses.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/cf.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/chainedAssignment1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/chainedAssignmentChecking.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/chainedCallsWithTypeParameterConstrainedToOtherTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/chainedCallsWithTypeParameterConstrainedToOtherTypeParameter2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkDestructuringShorthandAssigment2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkInfiniteExpansionTermination.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkInfiniteExpansionTermination2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkInterfaceBases.ts tasks/coverage/typescript/tests/cases/compiler/checkJsTypeDefNoUnusedLocalMarked.ts Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/compiler/checkJsdocTypeTagOnExportAssignment2.ts Unexpected estree file content error: 1 != 4 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccessing1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccessing2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccessing3.ts @@ -244,79 +111,38 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThi Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccessing6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccessing7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkSuperCallBeforeThisAccessing8.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/checkingObjectWithThisInNamePositionNoCrash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularBaseConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularBaseTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularConstrainedMappedTypeNoCrash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularConstraintYieldsAppropriateError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularConstructorWithReturn.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularContextualMappedType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularContextualReturnType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularGetAccessor.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularInferredTypeOfVariable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularInlineMappedGenericTupleTypeNoCrash.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularMappedTypeConstraint.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularObjectLiteralAccessors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularOptionalityRemoval.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularReferenceInReturnType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularReferenceInReturnType2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularResolvedSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularTypeArgumentsLocalAndOuterNoCrash1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularTypeofWithFunctionModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularlyConstrainedMappedTypeContainingConditionalNoInfiniteInstantiationDepth.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/circularlySimplifyingConditionalTypesNoCrash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classAccessorInitializationInferenceWithElementAccess1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classAttributeInferenceTemplate.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classDeclaredBeforeClassFactory.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExpressionNames.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/classExpressionPropertyModifiers.ts Expected a semicolon or an implicit semicolon after a statement, but found none Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExpressionWithResolutionOfNamespaceOfSameName01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExtendingAbstractClassWithMemberCalledTheSameAsItsOwnTypeParam.ts tasks/coverage/typescript/tests/cases/compiler/classExtendingAny.ts Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExtendsNull.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classExtendsNull2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classFunctionMerging.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/classHeritageWithTrailingSeparator.ts Expected `{` but found `EOF` -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classImplementsMethodWIthTupleArgs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classImplementsPrimitive.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classMemberInitializerWithLamdaScoping.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classMemberInitializerWithLamdaScoping2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classMemberInitializerWithLamdaScoping3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classMemberInitializerWithLamdaScoping4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classMemberInitializerWithLamdaScoping5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classMergedWithInterfaceMultipleBasesNoError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classNameReferencesInStaticElements.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classNonUniqueSymbolMethodHasSymbolIndexer.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classPropInitializationInferenceWithElementAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classReferencedInContextualParameterWithinItsOwnBaseExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classSideInheritance3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classStaticPropertyTypeGuard.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classTypeParametersInStatics.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classVarianceCircularity.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classVarianceResolveCircularity1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/classVarianceResolveCircularity2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/classdecl.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/clinterfaces.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/cloduleTest1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cloduleWithPriorInstantiatedModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/cloduleWithPriorUninstantiatedModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/clodulesDerivedClasses.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences7.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/coAndContraVariantInferences8.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collectionPatternNoError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsArrowFunctions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsClassConstructor.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsClassMethod.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsFunctionExpressions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsInType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionArgumentsInterfaceMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionCodeGenModuleWithConstructorChildren.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndAmbientClass.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndAmbientEnum.ts @@ -324,32 +150,11 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequire Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndAmbientFunctionInGlobalFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndAmbientModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndAmbientVar.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndInternalModuleAlias.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionExportsRequireAndUninstantiatedModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterArrowFunctions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterClassConstructor.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterClassMethod.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterFunctionExpressions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterInType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterInterfaceMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionRestParameterUnderscoreIUsage.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionSuperAndPropertyNameAsConstuctorParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/collisionThisExpressionAndPropertyNameAsConstuctorParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commaOperatorLeftSideUnused.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentEmitAtEndOfFile1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentEmitOnParenthesizedAssertionInReturnStatement.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentEmitOnParenthesizedAssertionInReturnStatement2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentInMethodCall.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentInNamespaceDeclarationWithIdentifierPathName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentLeadingCloseBrace.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnAmbientClass1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnAmbientEnum.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnAmbientModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnAmbientVariable1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnAmbientVariable2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnAmbientfunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnArrayElement1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnArrayElement10.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnArrayElement11.ts @@ -366,331 +171,112 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnArrayElement6. Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnArrayElement7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnArrayElement8.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnArrayElement9.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnBlock1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnElidedModule1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnExportEnumDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnIfStatement1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnImportStatement1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnImportStatement2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnImportStatement3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnInterface1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnParameter1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnParameter2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnParameter3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentOnSignature1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentWithUnreasonableIndentationLevel01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAfterCaseClauses1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAfterCaseClauses2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAfterCaseClauses3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAfterSpread.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsArgumentsOfCallExpression1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsArgumentsOfCallExpression2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsAtEndOfFile1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsBeforeVariableStatement1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsClass.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsClassMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsCommentParsing.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsDottedModuleName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsEnums.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsExternalModules.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsExternalModules2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsExternalModules3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsInheritance.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsInterface.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsModules.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsMultiModuleMultiFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsMultiModuleSingleFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnJSXExpressionsArePreserved.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnPropertyOfObjectLiteral1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOnRequireStatement.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsOverloads.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsVarDecl.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsVariableStatement1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsdoNotEmitComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/commentsemitComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commonSourceDirectory.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/commonSourceDirectory_dts.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/comparabilityTypeParametersRelatedByUnion.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/comparableRelationBidirectional.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/compareTypeParameterConstrainedByLiteralToLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/comparisonOfPartialDeepAndIndexedAccessTerminatesWithoutError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/complexClassRelationships.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/complexNarrowingWithAny.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/complexRecursiveCollections.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/complicatedIndexedAccessKeyofReliesOnKeyofNeverUpperBound.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/complicatedPrivacy.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/compositeContextualSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/compositeGenericFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedEnumMemberSyntacticallyString.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedEnumMemberSyntacticallyString2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesInDestructuring1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesInDestructuring1_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesInDestructuring2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesInDestructuring2_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertiesNarrowed.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedPropertyNameWithImportedKey.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/computedTypesKeyofNoIndexSignatureType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/computerPropertiesInES5ShouldBeTransformed.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/concatClassAndString.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalEqualityTestingNullability.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeAnyUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeAssignabilityWhenDeferred.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeBasedContextualTypeReturnTypeWidening.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeContextualTypeSimplificationsSuceeds.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeDiscriminatingLargeUnionRegularTypeFetchingSpeedReasonable.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeDoesntSpinForever.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeGenericInSignatureTypeParameterConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeRelaxingConstraintAssignability.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeSimplification.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypeVarianceBigArrayConstraintsPerformance.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/conditionalTypesASI.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/conflictingDeclarationsImportFromNamespace1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/conflictingDeclarationsImportFromNamespace2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/conflictingTypeParameterSymbolTransfer.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/consistentAliasVsNonAliasRecordBehavior.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarationShadowedByVarDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarationShadowedByVarDeclaration2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarationShadowedByVarDeclaration3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarations-access5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarations-ambient.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/constDeclarations-errors.ts Missing initializer in const declaration Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/constDeclarations-invalidContexts.ts Lexical declaration cannot appear in a single-statement context Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/constDeclarations-scopes.ts Lexical declaration cannot appear in a single-statement context -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarations-scopes2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/constDeclarations-validContexts.ts Lexical declaration cannot appear in a single-statement context -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarations.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constDeclarations2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumMergingWithValues1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumMergingWithValues2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumMergingWithValues3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumMergingWithValues4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumMergingWithValues5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnumSyntheticNodesComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constEnums.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/constInClassExpression.ts A class member cannot have the 'const' keyword. Mismatch: tasks/coverage/typescript/tests/cases/compiler/constIndexedAccess.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constWithNonNull.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constraintCheckInGenericBaseTypeReference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constraintOfRecursivelyMappedTypeWithConditionalIsResolvable.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constraintReferencingTypeParameterFromSameTypeParameterList.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constraintWithIndexedAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorArgs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorOverloads4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorOverloads5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorOverloads9.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorReturningAPrimitive.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorStaticParamName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorWithParameterPropertiesAndPrivateFields.es2015.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorWithSuperAndPrologue.es5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/constructorsWithSpecializedSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextSensitiveReturnTypeInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualComputedNonBindablePropertyType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualExpressionTypecheckingDoesntBlowStack.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualOuterTypeParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualOverloadListFromArrayUnion.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualOverloadListFromUnionWithPrimitiveNoImplicitAny.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualPropertyOfGenericFilteringMappedType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualPropertyOfGenericMappedType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSigInstantiationRestParams.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureConditionalTypeInstantiationUsingDefault.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureInArrayElementLibEs2015.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureInArrayElementLibEs5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureInObjectFreeze.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureInstantiation2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualSignatureInstantiation4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTupleTypeParameterReadonly.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeAppliedToVarArgs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeBasedOnIntersectionWithAnyInTheMix1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeBasedOnIntersectionWithAnyInTheMix2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeBasedOnIntersectionWithAnyInTheMix3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeBasedOnIntersectionWithAnyInTheMix5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeCaching.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeForInitalizedVariablesFiltersUndefined.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeFunctionObjectPropertyIntersection.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeLogicalOr.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypeSelfReferencing.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypesNegatedTypeLikeConstraintInGenericMappedType2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypesNegatedTypeLikeConstraintInGenericMappedType3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTyping.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingArrayDestructuringWithDefaults.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingOfAccessors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingOfTooShortOverloads.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingWithGenericAndNonGenericSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextualTypingWithGenericSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypeAsyncFunctionReturnTypeFromUnion.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypeGeneratorReturnTypeFromUnion.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedBooleanLiterals.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedGenericAssignment.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedJsxAttribute2.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedJsxChildren.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedOptionalProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedParametersWithInitializers1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedParametersWithInitializers2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedParametersWithInitializers3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedParametersWithInitializers4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedParametersWithQuestionToken.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypedSymbolNamedProperties.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contextuallyTypingRestParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueLabel.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueNotInIterationStatement4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueStatementInternalComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueTarget1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueTarget2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueTarget3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueTarget4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueTarget5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/continueTarget6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contravariantInferenceAndTypeGuard.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/contravariantOnlyInferenceFromAnnotatedFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/contravariantOnlyInferenceWithAnnotatedOptionalParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowAliasedDiscriminants.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowBreakContinueWithLabel.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowCaching.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowDestructuringLoop.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowDestructuringParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowDestructuringVariablesInTryCatch.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowFavorAssertedTypeThroughTypePredicate.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowForStatementContinueIntoIncrementor1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowInitializedDestructuringVariables.ts tasks/coverage/typescript/tests/cases/compiler/controlFlowInstanceof.ts Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowInstanceofWithSymbolHasInstance.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowLoopAnalysis.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowManyConsecutiveConditionsNoTimeout.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowNullTypeAndLiteral.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowOuterVariable.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowPropertyDeclarations.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowPropertyInitializer.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowSelfReferentialLoop.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowUnionContainingTypeParameter1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/controlFlowWithIncompleteTypes.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/convertKeywordsYes.ts Classes can't have a field named 'constructor' -Mismatch: tasks/coverage/typescript/tests/cases/compiler/copyrightWithNewLine1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/copyrightWithoutNewLine1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/correlatedUnions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/covariance1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/crashInEmitTokenWithComment.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/crashInGetTextOfComputedPropertyName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/crashInResolveInterface.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/crashInYieldStarInAsyncFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/crashIntypeCheckInvocationExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/crashIntypeCheckObjectCreationExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/crashRegressionTest.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/curiousNestedConditionalEvaluationResult.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/customAsyncIterator.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/customEventDetail.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileAccessors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileAmbientExternalModuleWithSingleExportedModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileCallSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileClassWithStaticMethodReturningConstructor.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileConstructSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileConstructors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileEmitDeclarationOnly.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileExportAssignmentImportInternalModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileForExportedImport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileForInterfaceWithRestParams.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileFunctions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileGenericType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileGenericType2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileImportChainInExportAssignment.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileImportModuleWithExportAssignment.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileMethods.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileModuleContinuation.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileRegressionTests.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileRestParametersOfFunctionAndFunctionType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileTypeAnnotationBuiltInType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileTypeAnnotationTypeLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithClassNameConflictingWithClassReferredByExtendsClause.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithErrorsInInputDeclarationFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithErrorsInInputDeclarationFileWithOut.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithExtendsClauseThatHasItsContainerNameConflict.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithInternalModuleNameConflictsInExtendsClause1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithInternalModuleNameConflictsInExtendsClause2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declFileWithInternalModuleNameConflictsInExtendsClause3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationAssertionNodeNotReusedWhenTypeNotEquivalent1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitAliasFromIndirectFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitAmdModuleDefault.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitAmdModuleNameDirective.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitAnyComputedPropertyInClass.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitArrowFunctionNoRenaming.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitBindingPatternWithReservedWord.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitBindingPatterns.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitBindingPatternsFunctionExpr.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitBindingPatternsUnused.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitBundlePreservesHasNoDefaultLibDirective.ts tasks/coverage/typescript/tests/cases/compiler/declarationEmitBundlerConditions.ts Unexpected estree file content error: 3 != 4 Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCastReusesTypeNode1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCastReusesTypeNode2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCastReusesTypeNode3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCastReusesTypeNode5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassInherritsAny.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassMemberNameConflict.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassMemberWithComputedPropertyName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassMixinLocalClassDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassPrivateConstructor.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitClassPrivateConstructor2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedNameCausesImportToBePainted.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedNameWithQuestionToken.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedNamesInaccessible.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitComputedPropertyName1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitConstantNoWidening.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCrossFileCopiedGeneratedImportType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitCrossFileImportTypeOfAmbientModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport7.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExport8.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExportWithTempVarName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDefaultExportWithTempVarNameWithBundling.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuring1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuring2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuring3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuring4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuring5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuringArrayPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuringArrayPattern4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuringObjectLiteralPattern.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuringObjectLiteralPattern1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuringObjectLiteralPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuringOptionalBindingParametersInOverloads.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuringParameterProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDestructuringWithOptionalBindingParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDetachedComment1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDetachedComment2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDistributiveConditionalWithInfer.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitDuplicateParameterDestructuring.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExactOptionalPropertyTypesNodeNotReused.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExpandoWithGenericConstraint.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExpressionInExtends3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExpressionInExtends6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitExpressionInExtends7.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitFBoundedTypeParams.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitForDefaultExportClassExtendingExpression01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitForGlobalishSpecifierSymlink.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitForGlobalishSpecifierSymlink2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitGlobalThisPreserved.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitHasTypesRefOnNamespaceUse.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitHigherOrderRetainedGenerics.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitImportInExportAssignmentModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitIndexTypeArray.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitIndexTypeNotFound.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredDefaultExportType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredDefaultExportType2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredTypeAlias1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredTypeAlias2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredTypeAlias3.ts @@ -698,57 +284,32 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferred Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredTypeAlias5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredTypeAlias6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredTypeAlias7.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredTypeAlias9.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInferredUndefinedPropFromFunctionInArray.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInlinedDistributiveConditional.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInvalidReference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInvalidReference2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitInvalidReferenceAllowJs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitIsolatedDeclarationErrorNotEmittedForNonEmittedFile.ts tasks/coverage/typescript/tests/cases/compiler/declarationEmitJsReExportDefault.ts Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitKeywordDestructuring.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitLambdaWithMissingTypeParameterNoCrash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitLateBoundAssignments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitLateBoundAssignments2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitLocalClassDeclarationMixin.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitLocalClassHasRequiredDeclare.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMappedPrivateTypeTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMappedTypeDistributivityPreservesConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMappedTypePropertyFromNumericStringKey.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMappedTypeTemplateTypeofSymbol.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMergedAliasWithConst.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMonorepoBaseUrl.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitMultipleComputedNamesSameDomain.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNameConflicts.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNameConflicts2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNameConflicts3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNameConflictsWithAlias.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNamespaceMergedWithInterfaceNestedFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNestedAnonymousMappedType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNoInvalidCommentReuse1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNoInvalidCommentReuse2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNoInvalidCommentReuse3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNoNonRequiredParens.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitNonExportedBindingPattern.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitObjectAssignedDefaultExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitObjectLiteralAccessors1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOfFuncspace.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOptionalMappedTypePropertyNoStrictNullChecks1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOptionalMappedTypePropertyNoStrictNullChecks2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOptionalMappedTypePropertyNoStrictNullChecks3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOptionalMappedTypePropertyNoStrictNullChecks4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOptionalMethod.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitOverloadedPrivateInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitParameterProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPreservesHasNoDefaultLibDirective.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPrivateAsync.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPrivateNameCausesError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPrivatePromiseLikeInterface.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPrivateSymbolCausesVarDeclarationToBeEmitted.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPromise.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitPropertyNumericStringKey.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitProtectedMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitQualifiedAliasTypeArgument.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitRecursiveConditionalAliasPreserved.ts @@ -756,16 +317,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitReexport Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitReexportedSymlinkReference2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitReexportedSymlinkReference3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitRetainedAnnotationRetainsImportInOutput.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitRetainsJsdocyComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitScopeConsistency3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitShadowingInferNotRenamed.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitSimpleComputedNames1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitSpreadStringlyKeyedEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitSymlinkPaths.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTopLevelNodeFromCrossFile2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTransitiveImportOfHtmlDeclarationItem.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTripleSlashReferenceAmbientModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTupleRestSignatureLeadingVariadic.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeAliasTypeParameterExtendingUnknownSymbol.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeAliasWithTypeParameters1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeAliasWithTypeParameters2.ts @@ -773,71 +328,29 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeAlia Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeAliasWithTypeParameters4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeAliasWithTypeParameters5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeAliasWithTypeParameters6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeParamMergedWithPrivate.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeParameterNameReusedInOverloads.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeParameterNameShadowedInternally.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeofRest.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitTypeofThisInClass.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitUnknownImport.ts tasks/coverage/typescript/tests/cases/compiler/declarationEmitUsingAlternativeContainingModules1.ts Unexpected estree file content error: 2 != 3 tasks/coverage/typescript/tests/cases/compiler/declarationEmitUsingAlternativeContainingModules2.ts Unexpected estree file content error: 2 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitUsingTypeAlias1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitUsingTypeAlias2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitVarInElidedBlock.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationEmitWithInvalidPackageJsonTypings.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationFileNoCrashOnExtraExportModifier.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationFilesGeneratingTypeReferences.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationFilesWithTypeReferences3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationFilesWithTypeReferences4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationImportTypeAliasInferredAndEmittable.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationMaps.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationMapsWithoutDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationNoDanglingGenerics.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationQuotedMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationTypecheckNoUseBeforeReferenceCheck.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationsForFileShadowingGlobalNoError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationsForInferredTypeFromOtherFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declarationsWithRecursiveInternalTypesProduceUniqueTypeParams.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/declareAlreadySeen.ts declare' modifier already seen. Mismatch: tasks/coverage/typescript/tests/cases/compiler/declareDottedExtend.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declareDottedModuleName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declareFileExportAssignment.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/declareFileExportAssignmentWithVarFromVariableStatement.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/declareModifierOnTypeAlias.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataElidedImport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataElidedImportOnDeclare.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataGenericTypeVariable.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataGenericTypeVariableDefault.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataGenericTypeVariableInScope.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataNoLibIsolatedModulesTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataOnInferredType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataRestParameterWithImportedType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorMetadataWithConstructorType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorReferenceOnOtherProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/decoratorReferences.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/deduplicateImportsInSystem.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deepComparisons.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/deepKeysIndexing.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/deeplyNestedCheck.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deeplyNestedConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deeplyNestedMappedTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/deeplyNestedTemplateLiteralIntersection.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultDeclarationEmitNamedCorrectly.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultDeclarationEmitShadowedNamedCorrectly.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultNamedExportWithType1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultNamedExportWithType2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultNamedExportWithType3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultNamedExportWithType4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultOfAnyInStrictNullChecks.ts tasks/coverage/typescript/tests/cases/compiler/defaultPropsEmptyCurlyBecomesAnyForJs.ts Unexpected estree file content error: 2 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/defaultValueInFunctionTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deferredConditionalTypes.ts tasks/coverage/typescript/tests/cases/compiler/deferredConditionalTypes2.ts serde_json::from_str(oxc_json) error: number out of range at line 28 column 25 @@ -847,62 +360,17 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/deferredLookupTypeResol Mismatch: tasks/coverage/typescript/tests/cases/compiler/definiteAssignmentOfDestructuredVariable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deleteExpressionMustBeOptional.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/deleteExpressionMustBeOptional_exactOptionalPropertyTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/derivedTypeCallingBaseImplWithOptionalParams.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructureCatchClause.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructureComputedProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructureOfVariableSameAsShorthand.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructureOptionalParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructureTupleWithVariableElement.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuredDeclarationEmit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuredLateBoundNameHasCorrectTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuredMaappedTypeIsNotImplicitlyAny.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringAssignmentWithDefault.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringAssignmentWithDefault2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringAssignmentWithExportedName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringAssignmentWithStrictNullChecks.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringAssignment_private.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringFromUnionSpread.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInVariableDeclarations1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInVariableDeclarations2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInVariableDeclarations3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInVariableDeclarations4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInVariableDeclarations5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInVariableDeclarations6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInVariableDeclarations7.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInVariableDeclarations8.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringInitializerContextualTypeFromContext.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringPropertyAssignmentNameIsNotAssignmentTarget.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringTempOccursAfterPrologue.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringTuple.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringTypeGuardFlow.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringUnspreadableIntoRest.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringWithConstraint.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringWithGenericParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringWithNewExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/destructuringWithNumberLiteral.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/detachedCommentAtStartOfLambdaFunction1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/detachedCommentAtStartOfLambdaFunction2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminableUnionWithIntersectedMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantElementAccessCheck.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantNarrowingCouldBeCircular.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantPropertyCheck.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantPropertyInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantUsingEvaluatableTemplateExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantsAndNullOrUndefined.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantsAndPrimitives.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminantsAndTypePredicates.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminateWithOptionalProperty2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminateWithOptionalProperty3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminateWithOptionalProperty4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminatedUnionJsxElement.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminatedUnionWithIndexSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/discriminatingUnionWithUnionPropertyAgainstUndefinedWithoutStrictNullChecks.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/distributiveConditionalTypeNeverIntersection1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/divergentAccessors1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/divergentAccessorsTypes5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/divergentAccessorsTypes6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/divergentAccessorsTypes8.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/divideAndConquerIntersections.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitDetachedComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitDetachedCommentsAtStartOfConstructor.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitDetachedCommentsAtStartOfFunctionBody.ts @@ -913,23 +381,11 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitPinnedCommentO Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitPinnedDetachedComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitTripleSlashCommentsInEmptyFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotEmitTripleSlashCommentsOnNotEmittedNode.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotInferUnrelatedTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/doNotemitTripleSlashComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/doWhileUnreachableCode.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/doYouNeedToChangeYourTargetLibraryES2015.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/doYouNeedToChangeYourTargetLibraryES2016Plus.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/doYouNeedToChangeYourTargetLibraryES2023.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/dottedModuleName2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/dottedNamesInSystem.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/doubleMixinConditionalTypeBaseClassWorks.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/doubleUnderscoreLabels.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst11.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst12.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst13.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst14.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst15.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst16.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst2.ts Missing initializer in const declaration Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/downlevelLetConst4.ts @@ -939,40 +395,13 @@ Unexpected token tasks/coverage/typescript/tests/cases/compiler/dtsEmitTripleSlashAvoidUnnecessaryResolutionMode.ts Unexpected estree file content error: 2 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateDefaultExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateErrorNameNotFound.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierBindingElementInParameterDeclaration1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierBindingElementInParameterDeclaration2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierDifferentModifiers.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierEnum.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierRelatedSpans6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierRelatedSpans7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateIdentifierShouldNotShortCircuitBaseTypeBinding.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLabel1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLabel2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLabel3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLabel4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLocalVariable1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLocalVariable2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateLocalVariable4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateObjectLiteralProperty_computedNameNegative1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicatePackage_packageIdIncludesSubModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicatePackage_referenceTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateStringNamedProperty1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateSymbolsExportMatching.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateVarAndImport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateVarAndImport2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateVariablesByScope.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/duplicateVariablesWithAny.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicImportEvaluateSpecifier.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicImportInDefaultExportExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicImportWithNestedThis_es2015.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicImportWithNestedThis_es5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicModuleTypecheckError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/dynamicNamesErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/elaboratedErrorsOnNullableTargets01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/elementAccessExpressionInternalComments.ts tasks/coverage/typescript/tests/cases/compiler/elidedJSImport1.ts Unexpected estree file content error: 1 != 2 @@ -985,16 +414,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitBOM.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitBundleWithPrologueDirectives1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitCapturingThisInTupleDestructuring1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitCapturingThisInTupleDestructuring2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitClassExpressionInDeclarationFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitClassExpressionInDeclarationFile2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitCommentsOnlyFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitDecoratorMetadata_restArgs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitHelpersWithLocalCollisions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitMemberAccessExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitMethodCalledNew.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitPinnedCommentsOnTopOfFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitPreComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSkipsThisWithRestParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSuperCallBeforeEmitParameterPropertyDeclaration1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSuperCallBeforeEmitParameterPropertyDeclaration1ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSuperCallBeforeEmitPropertyDeclaration1.ts @@ -1003,88 +426,24 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSuperCallBeforeEmit Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitSuperCallBeforeEmitPropertyDeclarationAndParameterPropertyDeclaration1ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emitTopOfFileTripleSlashCommentOnNotEmittedNodeIfRemoveCommentsIsFalse.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyArrayDestructuringExpressionVisitedByTransformer.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyModuleName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyObjectNotSubtypeOfIndexSignatureContainingObject1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyObjectNotSubtypeOfIndexSignatureContainingObject2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/emptyOptionalBindingPatternInDeclarationSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumAssignmentCompat3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumFromExternalModule.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/enumIdentifierLiterals.ts An enum member cannot have a numeric name. -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumInitializersWithExponents.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumKeysQuotedAsObjectPropertiesInDeclarationEmit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumLiteralUnionNotWidened.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumMemberReduction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumUsedBeforeDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/enumWithNonLiteralStringInitializer.ts tasks/coverage/typescript/tests/cases/compiler/erasableSyntaxOnly.ts Unexpected estree file content error: 1 != 4 tasks/coverage/typescript/tests/cases/compiler/erasableSyntaxOnlyDeclaration.ts Unexpected estree file content error: 1 != 5 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorConstructorSubtypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorElaboration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorForBareSpecifierWithImplicitModuleResolutionNone.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorForConflictingExportEqualsValue.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorForwardReferenceForwadingConstructor.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorInfoForRelatedIndexTypesNoConstraintElaboration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorMessageOnIntersectionsWithDiscriminants01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorsOnUnionsOfOverlappingObjects01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/errorsWithInvokablesInUnions01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es2015modulekind.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es2015modulekindWithES6Target.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionDoStatements.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionForOfStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionLongObjectLiteral.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionNestedLoops.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-asyncFunctionWhileStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs7.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-commonjs8.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-importHelpersAsyncFunctions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-system.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-system2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-umd2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-umd3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-umd4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5-yieldFunctionObjectLiterals.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultClassDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultClassDeclaration2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultClassDeclaration3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultFunctionDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultFunctionDeclaration2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultFunctionDeclaration3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportDefaultIdentifier.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportEquals.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ExportEqualsDts.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ModuleInternalNamedImports.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ModuleWithModuleGenAmd.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ModuleWithModuleGenCommonjs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5ModuleWithoutModuleGenTarget.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es5andes6module.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6-umd2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ClassTest.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ClassTest2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ClassTest8.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportAssignment.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportClause.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportClauseInEs5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportClauseWithAssignmentInEs5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportDefaultClassDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportDefaultClassDeclaration2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportDefaultExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportDefaultFunctionDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportDefaultFunctionDeclaration2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportDefaultIdentifier.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportEquals.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ExportEqualsInterop.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImport1WithExport.ts Expected `=` but found `,` Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportDefaultBindingFollowedWithNamedImportWithExport.ts @@ -1101,147 +460,47 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportNamedIm Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/es6ImportWithoutFromClauseWithExport.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6Module.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleClassDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleConst.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleConstEnumDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleConstEnumDeclaration2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleEnumDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleFunctionDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleInternalImport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleInternalNamedImports.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleInternalNamedImports2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleLet.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleModuleDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleVariableStatement.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleWithModuleGenTargetAmd.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/es6ModuleWithModuleGenTargetCommonjs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/esDecoratorsClassFieldsCrash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/esModuleInteropImportDefaultWhenAllNamedAreDefaultAlias.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/esModuleInteropImportTSLibHasImport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/esModuleInteropTslibHelpers.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/esModuleInteropUsesExportStarWhenDefaultPlusNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/esNextWeakRefs_IterableWeakMap.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/escapedIdentifiers.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/escapedReservedCompilerNamedIdentifier.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/evalOrArgumentsInDeclarationFunctions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/eventEmitterPatternWithRecordOfFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/evolvingArrayTypeInAssert.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exactSpellingSuggestion.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckIntersectionWithIndexSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckIntersectionWithRecursiveType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckWithEmptyObject.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckWithMultipleDiscriminants.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyCheckWithSpread.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyChecksWithNestedIntersections.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessPropertyErrorsSuppressed.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/excessivelyLargeTupleSpread.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exhaustiveSwitchCheckCircularity.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exhaustiveSwitchWithWideningLiteralTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionBlockShadowing.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionContextualTypesJSDocInTs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionContextualTypesNoValue.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionExpressionsWithDynamicNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionNullishProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/expandoFunctionSymbolProperty.ts tasks/coverage/typescript/tests/cases/compiler/expandoFunctionSymbolPropertyJs.ts Unexpected estree file content error: 1 != 2 Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/exportAlreadySeen.ts 'export' modifier cannot be used here. -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportArrayBindingPattern.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAsNamespace.d.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAsNamespaceConflict.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignClassAndModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignValueAndType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignedTypeAsTypeAnnotation.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentOfDeclaredExternalModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentOfGenericType1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentWithDeclareAndExportModifiers.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentWithDeclareModifier.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentWithExportModifier.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentWithExports.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentWithImportStatementPrivacyError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentWithPrivacyError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportAssignmentWithoutIdentifier1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportClassExtendingIntersection.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDeclarationForModuleOrEnumWithMemberOfSameName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDeclarationsInAmbientNamespaces.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDeclareClass1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultAlias_excludesEverything.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultAsyncFunction.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/exportDefaultAsyncFunction2.ts Cannot use `await` as an identifier in an async context -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultClassAndValue.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultDuplicateCrash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultForNonInstantiatedModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterfaceAndFunctionOverloads.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterfaceAndTwoFunctions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterfaceAndValue.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterfaceClassAndFunctionOverloads.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultInterfaceClassAndValue.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultMissingName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultParenthesizeES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultProperty2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultTypeAndClass.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultTypeAndFunctionOverloads.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultTypeClassAndValue.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportDefaultVariable.ts tasks/coverage/typescript/tests/cases/compiler/exportDefaultWithJSDoc1.ts Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/compiler/exportDefaultWithJSDoc2.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEmptyArrayBindingPattern.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEmptyObjectBindingPattern.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualCallable.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualErrorType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualMemberMissing.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualNamespaces.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsAmd.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsClassNoRedeclarationError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsClassRedeclarationError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsCommonJs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsProperty2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportEqualsUmd.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportImportAndClodule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportImportCanSubstituteConstEnumForValue.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportInterfaceClassAndValue.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportInterfaceClassAndValueWithDuplicatesInImportList.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportNamespaceDeclarationRetainsVisibility.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportObjectRest.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportRedeclarationTypeAliases.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportSameNameFuncVar.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportSpecifierReferencingOuterDeclaration2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportSpecifierReferencingOuterDeclaration4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportStarFromEmptyModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportToString.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportTwoInterfacesWithSameName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportVisibility.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportedBlockScopedDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportedInterfaceInaccessibleInCallbackInModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportedVariable1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/exportingContainingVisibleType.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/expressionWithJSDocTypeArguments.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/compiler/expressionsForbiddenInParameterInitializers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/extendBaseClassBeforeItsDeclared.ts tasks/coverage/typescript/tests/cases/compiler/extendsUntypedModule.ts Unexpected estree file content error: 1 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleAssignToVar.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleImmutableBindings.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleQualification.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleRefernceResolutionOrderInImportDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/externalModuleWithoutCompilerFlag1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/extractInferenceImprovement.ts tasks/coverage/typescript/tests/cases/compiler/fakeInfinity1.ts serde_json::from_str(oxc_json) error: number out of range at line 32 column 27 @@ -1251,63 +510,28 @@ serde_json::from_str(oxc_json) error: number out of range at line 46 column 31 tasks/coverage/typescript/tests/cases/compiler/fakeInfinity3.ts serde_json::from_str(oxc_json) error: number out of range at line 46 column 31 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/fallbackToBindingPatternForTypeInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/fatArrowSelf.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/fatarrowfunctionsOptionalArgsErrors1.ts A rest parameter cannot be optional -Mismatch: tasks/coverage/typescript/tests/cases/compiler/fatarrowfunctionsOptionalArgsErrors4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/fieldAndGetterWithSameName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/fileReferencesWithNoExtensions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/fileWithNextLine1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/fileWithNextLine2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/fileWithNextLine3.ts A 'return' statement can only be used within a function body. -Mismatch: tasks/coverage/typescript/tests/cases/compiler/flatArrayNoExcessiveStackDepth.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/forLoopEndingMultilineComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/forLoopWithDestructuringDoesNotElideFollowingStatement.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/forOfTransformsExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/forwardRefInTypeDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/freshLiteralTypesInIntersections.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/funcdecl.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionAndInterfaceWithSeparateErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionArgShadowing.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall10.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall13.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall14.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall15.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall16.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall17.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCall18.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionCallOnConstrainedTypeVariable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionDeclarationWithResolutionOfTypeNamedArguments01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionDeclarationWithResolutionOfTypeOfSameName01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionExpressionWithResolutionOfTypeNamedArguments01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionExpressionWithResolutionOfTypeOfSameName01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionExpressionWithResolutionOfTypeOfSameName02.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionInIfStatementInModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionLikeInParameterInitializer.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionMergedWithModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloadsOnGenericArity1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionOverloadsRecursiveGenericReturnType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionReturnTypeQuery.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionSubtypingOfVarArgs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionSubtypingOfVarArgs2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionTypeArgumentArityErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionWithAnyReturnTypeAndNoReturnExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/functionWithDefaultParameterWithNoStatements4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/fuzzy.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/generatorES6InAMDModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericArray1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericArrayExtenstions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericArrayMethods1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericCallInferenceConditionalType1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericCallInferenceConditionalType2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericCallInferenceWithGenericLocalFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericCallOnMemberReturningClosedOverObject.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericClassImplementingGenericInterfaceFromAnotherModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericClassPropertyInheritanceSpecialization.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericClassWithStaticFactory.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericClassWithStaticsUsingTypeArguments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericClasses4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericClassesInModule2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericConditionalConstrainedToUnknownNotAssignableToConcreteObject.ts @@ -1318,67 +542,24 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericConstraintOnExte tasks/coverage/typescript/tests/cases/compiler/genericDefaultsJs.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericFunctionInference1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericFunctionInference2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericFunctionsAndConditionalInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericFunctionsNotContextSensitive.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericIndexedAccessMethodIntersectionCanBeAccessed.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericInference2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericInferenceDefaultTypeParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericInferenceDefaultTypeParameterJsxReact.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericInheritedDefaultConstructors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericInstanceOf.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericInterfaceFunctionTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericIsNeverEmptyObject.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericMappedTypeAsClause.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericMemberFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericObjectSpreadResultInSwitch.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericRecursiveImplicitConstructorErrors1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericRestArgs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericRestTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericReturnTypeFromGetter1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericSignatureIdentity.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericSpecializationToTypeLiteral1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericTemplateOverloadResolution.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericTupleWithSimplifiableElements.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericTypeParameterEquivalence2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericTypeWithCallableMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericTypeWithMultipleBases1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericTypeWithMultipleBases2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericWithCallSignatures1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericWithIndexerOfTypeParameterType2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/genericsAndHigherOrderFunctions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/getParameterNameAtPosition.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/gettersAndSetters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/globalThisCapture.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/higherOrderMappedIndexLookupInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/homomorphicMappedTypeNesting.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/homomorphicMappedTypeWithNonHomomorphicInstantiationSpreadable1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/hugeDeclarationOutputGetsTruncatedWithError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/icomparable.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/identicalGenericConditionalsWithInferRelated.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/identicalTypesNoDifferByCheckOrder.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/identityAndDivergentNormalizedTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/identityRelationNeverTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ifStatementInternalComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/ignoredJsxAttributes.tsx Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/illegalModifiersOnClassElements.ts Expected a semicolon or an implicit semicolon after a statement, but found none -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implementArrayInterface.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implementGenericWithMismatchedTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyDeclareFunctionExprWithoutFormalType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyDeclareFunctionWithoutFormalType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyDeclareFunctionWithoutFormalType2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyDeclareMemberWithoutType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyDeclareMemberWithoutType2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyDeclareVariablesWithoutTypeAndInit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyFromCircularInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyFunctionInvocationWithAnyArguements.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyFunctionOverloadWithImplicitAnyReturnType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyFunctionReturnNullOrUndefined.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyGetAndSetAccessorWithAnyReturnType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyInCatch.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/implicitAnyWidenToAny.ts tasks/coverage/typescript/tests/cases/compiler/impliedNodeFormatEmit1.ts Unexpected estree file content error: 3 != 10 @@ -1392,16 +573,10 @@ tasks/coverage/typescript/tests/cases/compiler/impliedNodeFormatEmit4.ts Unexpected estree file content error: 3 != 10 Mismatch: tasks/coverage/typescript/tests/cases/compiler/importAliasFromNamespace.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importAliasInModuleAugmentation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importAnImport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importDecl.ts tasks/coverage/typescript/tests/cases/compiler/importDeclFromTypeNodeInJsSource.ts Unexpected estree file content error: 2 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importDeclWithExportModifier.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importDeclWithExportModifierAndExportAssignment.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importDeclarationUsedAsTypeQuery.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importElisionExportNonExportAndDefault.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importExportInternalComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersAmd.ts @@ -1414,7 +589,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersInAmbientContext.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersInIsolatedModules.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersInTsx.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersNoEmitHelpersExportDefault.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersNoHelpers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersOutFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importHelpersSystem.ts @@ -1438,7 +612,6 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/compiler/importNonExportedMember9.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importNotElidedWhenNotFound.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importPropertyFromMappedType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importShouldNotBeElidedInDeclarationEmit.ts tasks/coverage/typescript/tests/cases/compiler/importTypeResolutionJSDocEOF.ts @@ -1446,25 +619,15 @@ Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/compiler/importTypeTypeofClassStaticLookup.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importTypeWithUnparenthesizedGenericFunctionParsed.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importUsedAsTypeWithErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importUsedInExtendsList1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importUsedInGenericImportResolves.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importWithTrailingSlash_noResolve.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/import_unneeded-require-when-referenecing-aliased-type-throug-array.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/importedAliasesInTypePositions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importedModuleAddToGlobal.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/importedModuleClassNameClash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inKeywordAndUnknown.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/incorrectRecursiveMappedTypeConstraint.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexClassByNumber.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexSignatureAndMappedType.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureMustHaveTypeAnnotation.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureTypeCheck.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureTypeCheck2.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexSignatureWithInitializer.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureWithInitializer1.ts Expected `]` but found `=` Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureWithTrailingComma.ts @@ -1473,17 +636,11 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexSignatureWi Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexTypeCheck.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexTypeNoSubstitutionTemplateLiteral.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexWithoutParamType.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessAndNullableNarrowing.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessKeyofNestedSimplifiedSubstituteUnwrapped.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessNormalization.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessRelation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessRetainsIndexSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessTypeConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexedAccessWithVariableElement.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexerAsOptional.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexerConstraints2.ts @@ -1491,156 +648,44 @@ Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/indexerSignatureWithRestParam.ts Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/compiler/indexingTypesWithNever.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indirectDiscriminantAndExcessProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indirectGlobalSymbolPartOfObjectType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indirectTypeParameterReferences.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/indirectUniqueSymbolDeclarationEmit.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferConditionalConstraintMappedMember.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferFromAnnotatedReturn1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferFromGenericFunctionReturnTypes1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferFromGenericFunctionReturnTypes2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferFromGenericFunctionReturnTypes3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferFromNestedSameShapeTuple.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferPropertyWithContextSensitiveReturnStatement.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferRestArgumentsMappedTuple.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferSecondaryParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferStringLiteralUnionForBindingElement.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferTInParentheses.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferTypeArgumentsInSignatureWithRestParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferTypeConstraintInstantiationCircularity.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferTypeParameterConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferTypePredicates.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferTypesWithFixedTupleExtendsAtVariadicPosition.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceAndHKTs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceAndSelfReferentialConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceDoesntCompareAgainstUninstantiatedTypeParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceErasedSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceExactOptionalProperties2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceFromIncompleteSource.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceOptionalPropertiesToIndexSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceOuterResultNotIncorrectlyInstantiatedWithInnerResult.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceShouldFailOnEvolvingArrays.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferenceUnionOfObjectsMappedContextualType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentialTypingUsingApparentType3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferentiallyTypingAnEmptyArray.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferredRestTypeFixedOnce.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inferredReturnTypeIncorrectReuse1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/infiniteConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedConstructorWithRestParams.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedConstructorWithRestParams2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedMembersAndIndexSignaturesFromDifferentBases.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedStringIndexersFromDifferentBaseTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inheritedStringIndexersFromDifferentBaseTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/initializePropertiesWithRenamedLet.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/initializedParameterBeforeNonoptionalNotOptional.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/inlineMappedTypeModifierDeclarationEmit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/inlineSourceMap2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/innerExtern.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/instanceAndStaticDeclarations1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/instanceOfInExternalModules.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/instanceofNarrowReadonlyArray.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/instanceofOnInstantiationExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/instanceofTypeAliasToGenericClass.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/instanceofWithStructurallyIdenticalTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/instantiateContextualTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/instantiateContextuallyTypedGenericThis.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/instantiatedTypeAliasDisplay.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/instantiationExpressionErrorNoCrash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceContextualType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceDeclaration3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceDeclaration5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceDeclaration6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceImplementation6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceImplementation7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceImplementation8.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceMergedUnconstrainedNoErrorIrrespectiveOfOrder.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/interfaceSubtyping.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasClassInsideLocalModuleWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasClassInsideLocalModuleWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasClassInsideLocalModuleWithoutExportAccessError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasClassInsideTopLevelModuleWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasClassInsideTopLevelModuleWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasEnumInsideLocalModuleWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasEnumInsideLocalModuleWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasEnumInsideLocalModuleWithoutExportAccessError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasEnumInsideTopLevelModuleWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasEnumInsideTopLevelModuleWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasFunctionInsideLocalModuleWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasFunctionInsideLocalModuleWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasFunctionInsideLocalModuleWithoutExportAccessError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasFunctionInsideTopLevelModuleWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasFunctionInsideTopLevelModuleWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInitializedModuleInsideLocalModuleWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInitializedModuleInsideLocalModuleWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInitializedModuleInsideLocalModuleWithoutExportAccessError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInitializedModuleInsideTopLevelModuleWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInitializedModuleInsideTopLevelModuleWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInterfaceInsideLocalModuleWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInterfaceInsideLocalModuleWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInterfaceInsideLocalModuleWithoutExportAccessError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInterfaceInsideTopLevelModuleWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasInterfaceInsideTopLevelModuleWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasUninitializedModuleInsideLocalModuleWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasUninitializedModuleInsideLocalModuleWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasUninitializedModuleInsideLocalModuleWithoutExportAccessError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasUninitializedModuleInsideTopLevelModuleWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasUninitializedModuleInsideTopLevelModuleWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasVarInsideLocalModuleWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasVarInsideLocalModuleWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasVarInsideLocalModuleWithoutExportAccessError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasVarInsideTopLevelModuleWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasVarInsideTopLevelModuleWithoutExport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/internalAliasWithDottedNameEmit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionApparentTypeCaching.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionConstraintReduction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionOfMixinConstructorTypeAndNonConstructorType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionOfTypeVariableHasApparentSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionReductionGenericStringLikeType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionTypeInference1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionType_useDefineForClassFields.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionWithConstructSignaturePrototypeResult.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionsAndOptionalProperties2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionsAndReadonlyProperties.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionsOfLargeUnions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/intersectionsOfLargeUnions2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/intraBindingPatternReferences.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/invalidTripleSlashReference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/invalidTypeNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/invariantGenericErrorElaboration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ipromise2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ipromise4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isDeclarationVisibleNodeKinds.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorTypes1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsClasses.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsClassesExpressions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsExpandoFunctions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsExpressions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsFunctionDeclarations.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsObjects.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationErrorsReturnTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationLazySymbols.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationsAddUndefined2.ts tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationsAllowJs.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedDeclarationsLiterals.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesAmbientConstEnum.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesExportDeclarationType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesExportImportUninstantiatedNamespace.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesImportExportElision.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesNoEmitOnError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesNonAmbientConstEnum.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesReExportAlias.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesReExportType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesRequiresPreserveConstEnum.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesSourceMap.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesSpecifiedModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/isolatedModulesUnspecifiedModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/iteratorExtraParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/iteratorsAndStrictNullChecks.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jqueryInference.ts tasks/coverage/typescript/tests/cases/compiler/jsDeclarationEmitExportedClassWithExtends.ts Unexpected estree file content error: 3 != 4 @@ -1758,114 +803,33 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/compiler/jsdocAccessEnumType.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsdocCastCommentEmit.ts tasks/coverage/typescript/tests/cases/compiler/jsdocImportTypeNodeNamespace.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsdocInTypeScript.ts tasks/coverage/typescript/tests/cases/compiler/jsdocReferenceGlobalTypeInCommonJs.ts Unexpected estree file content error: 2 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxCallElaborationCheckNoCrash1.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxCallbackWithDestructuring.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildWrongType.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildrenArrayWrongType.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildrenIndividualErrorElaborations.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildrenSingleChildConfusableWithMultipleChildrenNoError.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxChildrenWrongType.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxComplexSignatureHasApplicabilityError.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxComponentTypeErrors.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxElementClassTooManyParams.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxElementType.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxElementTypeLiteral.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxElementTypeLiteralWithGeneric.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxEmptyExpressionNotCountedAsChild.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxEmptyExpressionNotCountedAsChild2.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxExcessPropsAndAssignability.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFactoryAndJsxFragmentFactory.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFactoryAndJsxFragmentFactoryErrorNotIdentifier.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFactoryAndJsxFragmentFactoryNull.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFactoryButNoJsxFragmentFactory.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFragReactReferenceErrors.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFragmentAndFactoryUsedOnFragmentUse.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFragmentFactoryNoUnusedLocals.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFragmentFactoryReference.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxFragmentWrongType.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxGenericComponentWithSpreadingResultOfGenericFunction.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxHasLiteralType.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxImportForSideEffectsNonExtantNoError.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxImportInAttribute.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxImportSourceNonPragmaComment.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxInExtendsClause.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxInferenceProducesLiteralAsExpected.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxIntrinsicDeclaredUsingTemplateLiteralTypeSignatures.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxIntrinsicElementsCompatability.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxIntrinsicElementsTypeArgumentErrors.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxIntrinsicUnions.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxIssuesErrorWhenTagExpectsTooManyArguments.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxLibraryManagedAttributesUnusedGeneric.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxLocalNamespaceIndexSignatureNoCrash.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxNamespaceImplicitImportJSXNamespaceFromConfigPickedOverGlobalOne.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxNamespaceImplicitImportJSXNamespaceFromPragmaPickedOverGlobalOne.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxNamespaceReexports.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxNamespacedNameNotComparedToNonMatchingIndexSignature.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxPartialSpread.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxPropsAsIdentifierNames.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxSpreadFirstUnionNoErrors.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxViaImport.2.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/jsxViaImport.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/keyRemappingKeyofResult.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/keyofIsLiteralContexualType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/keywordExpressionInternalComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/knockout.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/lambdaParameterWithTupleArgsHasCorrectAssignability.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/lambdaPropSelf.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/largeControlFlowGraph.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/largeTupleTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/lateBoundConstraintTypeChecksCorrectly.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/lateBoundDestructuringImplicitAnyError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/lateBoundFunctionMemberAssignmentDeclarations.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/letDeclarations-es5-1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/letDeclarations-invalidContexts.ts Expected a semicolon or an implicit semicolon after a statement, but found none -Mismatch: tasks/coverage/typescript/tests/cases/compiler/letDeclarations-scopes-duplicates.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/letDeclarations-scopes.ts Expected a semicolon or an implicit semicolon after a statement, but found none Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/letDeclarations-validContexts.ts Expected a semicolon or an implicit semicolon after a statement, but found none -Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInConstDeclarations_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInConstDeclarations_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInLetConstDeclOfForOfAndForIn_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInLetConstDeclOfForOfAndForIn_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInLetDeclarations_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInLetDeclarations_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInNonStrictMode.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInVarDeclOfForIn_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInVarDeclOfForIn_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInVarDeclOfForOf_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/letInVarDeclOfForOf_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/libCompileChecks.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/libTypeScriptOverrideSimple.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/libTypeScriptOverrideSimpleConfig.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/libTypeScriptSubfileResolving.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/libTypeScriptSubfileResolvingConfig.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/library_ArraySlice.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/library_DatePrototypeProperties.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/library_ObjectPrototypeProperties.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/library_RegExpExecArraySlice.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/library_StringSlice.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/lift.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/limitDeepInstantiations.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/literalWideningWithCompoundLikeAssignments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/literals-negative.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/literalsInComputedProperties1.ts An enum member cannot have a numeric name. -Mismatch: tasks/coverage/typescript/tests/cases/compiler/localAliasExportAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/localTypeParameterInferencePriority.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/m7Bugs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/manyConstExports.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mapOnTupleTypes01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mapOnTupleTypes02.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedArrayTupleIntersections.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedToToIndexSignatureInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeAndIndexSignatureRelation.ts @@ -1875,7 +839,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeContextualTyp Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeGenericIndexedAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeGenericInstantiationPreservesHomomorphism.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeGenericInstantiationPreservesInlineForm.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeGenericWithKnownKeys.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeIndexedAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeIndexedAccessConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeInferenceAliasSubstitution.ts @@ -1888,7 +851,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeNoTypeNoCrash Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeNotMistakenlyHomomorphic.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeOverArrayWithBareAnyRestCanBeUsedAsRestParam1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeParameterConstraint.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypePartialConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypePartialNonHomomorphicBaseConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeRecursiveInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeRecursiveInference2.ts @@ -1899,36 +861,18 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeWithAsClauseA Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeWithAsClauseAndLateBoundProperty2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeWithCombinedTypeMappers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mappedTypeWithNameClauseAppliedToArrayType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/matchReturnTypeInAllBranches.ts tasks/coverage/typescript/tests/cases/compiler/maxNodeModuleJsDepthDefaultsToZero.ts Unexpected estree file content error: 2 != 4 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/maximum10SpellingSuggestions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/memberAccessMustUseModuleInstances.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/memberOverride.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/memberVariableDeclarations1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergeSymbolRexportFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedDeclarationExports.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedInstantiationAssignment.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedInterfaceFromMultipleFiles1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedModuleDeclarationCodeGen.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedModuleDeclarationCodeGen2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedModuleDeclarationCodeGen3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedModuleDeclarationCodeGen4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mergedModuleDeclarationCodeGen5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/metadataImportType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/methodContainingLocalFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/methodInAmbientClass1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/missingCommaInTemplateStringsArray.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/missingFunctionImplementation.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/missingImportAfterModuleImport.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/misspelledNewMetaProperty.ts The only valid meta property for new is new.target -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mixinIntersectionIsValidbaseType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mixinOverMappedTypeNoCrash.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/mixinPrivateAndProtected.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mixingApparentTypeOverrides.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/modifierParenCast.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/modifiersInObjectLiterals.ts 'public' modifier cannot be used here. Mismatch: tasks/coverage/typescript/tests/cases/compiler/modularizeLibrary_Dom.asynciterable.ts @@ -1944,52 +888,25 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/modularizeLibrary_Using Mismatch: tasks/coverage/typescript/tests/cases/compiler/modularizeLibrary_UsingES5LibAndES6FeatureLibs.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/modularizeLibrary_Worker.asynciterable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/modularizeLibrary_Worker.iterable.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAliasAsFunctionArgument.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationCollidingNamesInAugmentation1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationDeclarationEmit1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationDeclarationEmit2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationDisallowedExtensions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationDuringSyntheticDefaultCheck.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationExtendAmbientModule1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationExtendAmbientModule2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationExtendFileModule1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationExtendFileModule2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationGlobal2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationGlobal3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationGlobal5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationGlobal8.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationGlobal8_1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationInAmbientModule1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationInAmbientModule2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationInAmbientModule3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationInAmbientModule4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationInAmbientModule5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationNoNewNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationsImports1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationsImports2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationsImports3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleAugmentationsImports4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleClassArrayCodeGenTest.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleCodeGenTest5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleCodegenTest4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleDuplicateIdentifiers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleElementsInWrongContext.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleElementsInWrongContext2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleElementsInWrongContext3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleExports1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleExportsUnaryExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleIdentifiers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleImport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleImportedForTypeArgumentPosition.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleInTypePosition1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleLocalImportNotIncorrectlyRedirected.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleMemberWithoutTypeAnnotation1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleMerge.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleNodeImportRequireEmit.ts tasks/coverage/typescript/tests/cases/compiler/moduleNoneDynamicImport.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleNoneErrors.ts tasks/coverage/typescript/tests/cases/compiler/modulePreserve2.ts Unexpected estree file content error: 2 != 4 @@ -2001,13 +918,6 @@ Unexpected estree file content error: 2 != 4 Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/modulePreserveTopLevelAwait1.ts `await` is only allowed within async functions and at the top levels of modules -Mismatch: tasks/coverage/typescript/tests/cases/compiler/modulePrologueAMD.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/modulePrologueCommonjs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/modulePrologueES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/modulePrologueSystem.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/modulePrologueUmd.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionNoTsCJS.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionNoTsESM.ts tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithExtensions_notSupported.ts Unexpected estree file content error: 2 != 4 @@ -2027,8 +937,6 @@ tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithExtensions_wi Unexpected estree file content error: 3 != 5 Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithRequire.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithRequireAndImport.ts tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithSuffixes_one_externalModule.ts Unexpected estree file content error: 3 != 5 @@ -2041,11 +949,7 @@ Unexpected estree file content error: 3 != 5 tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithSuffixes_one_jsModule.ts Unexpected estree file content error: 1 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithSymlinks.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithSymlinks_notInNodeModules.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithSymlinks_preserveSymlinks.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithSymlinks_referenceTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleResolutionWithSymlinks_withOutDir.ts tasks/coverage/typescript/tests/cases/compiler/moduleResolution_classicPrefersTs.ts Unexpected estree file content error: 2 != 3 @@ -2073,76 +977,32 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleSharesNameWithImp Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleSharesNameWithImportDeclarationInsideIt4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleSharesNameWithImportDeclarationInsideIt5.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleSharesNameWithImportDeclarationInsideIt6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleSymbolMerging.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleVisibilityTest1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduleVisibilityTest2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/module_augmentUninstantiatedModule2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/moduledecl.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/multiLinePropertyAccessAndArrowFunctionIndent1.ts A 'return' statement can only be used within a function body. -Mismatch: tasks/coverage/typescript/tests/cases/compiler/multiSignatureTypeInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/multipleExportAssignments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/multipleExports.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/multivar.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mutuallyRecursiveCallbacks.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/mutuallyRecursiveInterfaceDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/namespaceNotMergedWithFunctionDefaultExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowByClauseExpressionInSwitchTrue1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowByClauseExpressionInSwitchTrue2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowByClauseExpressionInSwitchTrue9.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowBySwitchDiscriminantUndefinedCase1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowRefinedConstLikeParameterBIndingElementNameInInnerScope.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowTypeByInstanceof.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowedConstInMethod.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingAssignmentReadonlyRespectsAssertion.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingByDiscriminantInLoop.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingByTypeofInSwitch.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingConstrainedTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingDestructuring.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingInCaseClauseAfterCaseClauseWithReturn.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingIntersection.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingMutualSubtypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingNoInfer1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingOfDottedNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingOfQualifiedNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingOrderIndependent.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingPastLastAssignmentInModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingRestGenericCall.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingTypeofParenthesized1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingUnionToUnion.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/narrowingUnionWithBang.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedGenericConditionalTypeWithGenericImportType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedGenericSpreadInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedHomomorphicMappedTypesWithArrayConstraint1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedLoopTypeGuards.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedLoops.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedObjectRest.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedSuperCallEmit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nestedTypeVariableInfersLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/neverAsDiscriminantType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/newFunctionImplicitAny.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/newNamesInGlobalAugmentations1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noAsConstNameLookup.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCheckDoesNotReportError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCheckNoEmit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCheckRequiresEmitDeclarationOnly.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCircularDefinitionOnExportOfPrivateInMergedNamespace.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCrashOnMixin.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCrashOnNoLib.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noCrashOnThisTypeUsage.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noDefaultLib.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noErrorTruncation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noErrorUsingImportExportModuleAugmentationInDeclarationFile1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noErrorUsingImportExportModuleAugmentationInDeclarationFile2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noErrorUsingImportExportModuleAugmentationInDeclarationFile3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noErrorsInCallback.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noExcessiveStackDepthError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyAndPrivateMembersWithoutTypeAnnotations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyDestructuringInPrivateMethod.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyDestructuringParameterDeclaration.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyDestructuringVarDeclaration.ts Missing initializer in destructuring declaration -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyDestructuringVarDeclaration2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyForIn.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyForwardReferencedInterface.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyInBareInterface.ts @@ -2152,7 +1012,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyIndexingSu Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyMissingGetAccessor.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyMissingSetAccessor.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyNamelessParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyParametersInAmbientClass.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyParametersInAmbientFunctions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyParametersInAmbientModule.ts @@ -2161,27 +1020,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyParameters Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyParametersInInterface.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyParametersInModule.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyReferencingDeclaredInterface.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitAnyUnionNormalizedObjectLiteral1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitReturnsExclusions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitReturnsInAsync2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitSymbolToString.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitThisBigThis.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitUseStrict_amd.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitUseStrict_commonjs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitUseStrict_es6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitUseStrict_system.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noImplicitUseStrict_umd.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noIterationTypeErrorsInCFA.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noObjectKeysToKeyofT.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noRepeatedPropertyNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noSubstitutionTemplateStringLiteralTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noSubtypeReduction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUncheckedIndexedAccessCompoundAssignments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUnusedLocals_destructuringAssignment.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUnusedLocals_selfReference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUnusedLocals_writeOnly.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUsedBeforeDefinedErrorInAmbientContext1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/noUsedBeforeDefinedErrorInTypeContext.ts tasks/coverage/typescript/tests/cases/compiler/nodeNextImportModeImplicitIndexResolution2.ts Unexpected estree file content error: 4 != 6 @@ -2189,36 +1031,15 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeNextModuleResolutio tasks/coverage/typescript/tests/cases/compiler/nodeNextModuleResolution2.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeNextPackageSelfNameWithOutDirDeclDirCompositeNestedDirs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeNextPackageSelfNameWithOutDirDeclDirNestedDirs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeResolution4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeResolution6.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nodeResolution8.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonArrayRestArgs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonInferrableTypePropagation2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonInferrableTypePropagation3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonMergedOverloads.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonNullFullInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonNullMappedType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonNullableAndObjectIntersections.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonNullableReduction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonNullableReductionNonStrict.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonNullableWithNullableGenericIndexedAccessArg.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nongenericConditionalNotPartiallyComputed.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/nonstrictTemplateWithNotOctalPrintsAsIs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/normalizedIntersectionTooComplex.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/numberVsBigIntOperations.ts Missing initializer in const declaration Mismatch: tasks/coverage/typescript/tests/cases/compiler/numericEnumMappedType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectBindingPatternContextuallyTypesArgument.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectBindingPattern_restElementWithPropertyName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectCreationOfElementAccessExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectIndexer.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectInstantiationFromUnionSpread.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLitGetterSetter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLitPropertyScoping.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLitStructuralTypeMismatch.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralComputedNameNoDeclarationError.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralEnumPropertyNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralIndexerNoImplicitAny.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/objectLiteralMemberWithModifiers1.ts @@ -2227,38 +1048,13 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/objectLiteralMem 'public' modifier cannot be used here. Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/objectLiteralMemberWithQuestionMark1.ts Expected `,` but found `?` -Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectLiteralParameterResolution.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectRestBindingContextualInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/objectRestSpread.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/observableInferenceCanBeMade.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/omitTypeTestErrors01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/omitTypeTests01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalChainWithInstantiationExpression2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalParamArgsTest.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalParameterInDestructuringWithInitializer.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalParameterProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionalTupleElementsAndUndefined.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/optionsOutAndNoModuleGen.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/out-flag.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/out-flag3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/outModuleConcatCommonjs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/outModuleConcatES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/outModuleConcatUmd.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/outModuleTripleSlashRefs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/overEagerReturnTypeSpecialization.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadAssignmentCompat.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadCrash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadGenericFunctionWithRestArgs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadModifiersMustAgree.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadResolutionOverNonCTLambdas.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadedConstructorFixesInferencesAppropriately.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadsWithComputedNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/overloadsWithConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/overrideBaseIntersectionMethod.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterDecoratorsEmitCrash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterDestructuringObjectLiteral.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterListAsTupleType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterNamesInTypeParameterList.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterPropertyInConstructor3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterPropertyInConstructor4.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterPropertyInConstructorWithPrologues.ts @@ -2266,19 +1062,12 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterPropertyInitia Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterPropertyReferencingOtherParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parameterReferenceInInitializer1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/paramsOnlyHaveLiteralTypesWhenAppropriatelyContextualized.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/paramterDestrcuturingDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parenthesisDoesNotBlockAliasSymbolCreation.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/parenthesizedAsyncArrowFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/parenthesizedExpressionInternalComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parseInvalidNonNullableTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/parseInvalidNullableTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/parseReplacementCharacter.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/parserConstructorDeclaration12.ts Type parameters cannot appear on a constructor declaration Mismatch: tasks/coverage/typescript/tests/cases/compiler/partialOfLargeAPIIsAbleToBeWorkedWith.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/partiallyDiscriminantedUnions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/pathMappingBasedModuleResolution3_classic.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/pathMappingBasedModuleResolution3_node.ts tasks/coverage/typescript/tests/cases/compiler/pathMappingBasedModuleResolution_rootImport_aliasWithRoot.ts Unexpected estree file content error: 2 != 3 @@ -2303,154 +1092,55 @@ Unexpected estree file content error: 2 != 3 tasks/coverage/typescript/tests/cases/compiler/pathMappingBasedModuleResolution_withExtension_MapedToNodeModules.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/performanceComparisonOfStructurallyIdenticalInterfacesWithGenericSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/pickOfLargeObjectUnionWorks.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/pinnedComments1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/potentiallyUncalledDecorators.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/predicateSemantics.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/prefixIncrementAsOperandOfPlusExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/prefixUnaryOperatorsOnExportedVariables.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/prespecializedGenericMembers1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/primitiveUnionDetection.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCannotNameAccessorDeclFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCannotNameVarTypeDeclFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCheckAnonymousFunctionParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCheckAnonymousFunctionParameter2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCheckCallbackOfInterfaceMethodWithTypeParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCheckExportAssignmentOnExportedGenericInterface1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCheckExportAssignmentOnExportedGenericInterface2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCheckExternalModuleExportAssignmentOfGenericClass.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCheckOnTypeParameterReferenceInConstructorParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyCheckTypeOfFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyClass.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyClassImplementsClauseDeclFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyFunctionCannotNameParameterTypeDeclFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyFunctionCannotNameReturnTypeDeclFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyFunctionParameterDeclFile.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyFunctionReturnTypeDeclFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyGetter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyGloFunc.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyGloImportParseErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyImport.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/privacyImportParseErrors.ts 'export' modifier cannot be used here. -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyInterface.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyLocalInternalReferenceImportWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyLocalInternalReferenceImportWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTopLevelAmbientExternalModuleImportWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTopLevelAmbientExternalModuleImportWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTopLevelInternalReferenceImportWithExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTopLevelInternalReferenceImportWithoutExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTypeParameterOfFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTypeParameterOfFunctionDeclFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTypeParametersOfClass.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTypeParametersOfClassDeclFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTypeParametersOfInterface.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyTypeParametersOfInterfaceDeclFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyVar.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/privacyVarDeclFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privateFieldAssignabilityFromUnknown.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privatePropertyInUnion.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/privatePropertyUsingObjectType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseChaining.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseChaining1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseChaining2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseEmptyTupleNoException.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseIdentity.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseIdentity2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseIdentityWithAny.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseIdentityWithAny2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseIdentityWithConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/promisePermutations2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/promisePermutations3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/promiseWithResolvers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/propTypeValidatorInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/propertyAccessExpressionInnerComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/propertyIdentityWithPrivacyMismatch.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/propertyOrdering2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/propertyParameterWithQuestionMark.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/propertySignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/protectedAccessThroughContextualThis.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/protectedMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/protoAsIndexInIndexExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/quickinfoTypeAtReturnPositionsInaccurate.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/raiseErrorOnParameterProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ramdaToolsNoInfinite.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/ramdaToolsNoInfinite2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reExportGlobalDeclaration1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reExportUndefined1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reachabilityChecks3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reachabilityChecks5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reachabilityChecks6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reachabilityChecks7.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactDefaultPropsInferenceSuccess.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactHOCSpreadprops.tsx tasks/coverage/typescript/tests/cases/compiler/reactImportDropped.ts Unexpected estree file content error: 1 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactImportUnusedInNewJSXEmit.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactNamespaceMissingDeclaration.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactReadonlyHOCAssignabilityReal.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactReduxLikeDeferredInferenceAllowsAssignment.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactSFCAndFunctionResolvable.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactTagNameComponentWithPropsNoOOM.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactTagNameComponentWithPropsNoOOM2.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reactTransitiveImportHasValidDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/readonlyTupleAndArrayElaboration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveBaseCheck2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveClassBaseType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveClassReferenceTest.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveConditionalCrash2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveConditionalCrash3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveConditionalCrash4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveConditionalTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveConditionalTypes2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveExcessPropertyChecks.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveExportAssignmentAndFindAliasedType1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveExportAssignmentAndFindAliasedType2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveExportAssignmentAndFindAliasedType3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveFieldSetting.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveGenericTypeHierarchy.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveMods.ts tasks/coverage/typescript/tests/cases/compiler/recursiveResolveDeclaredMembers.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveResolveTypeMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveReverseMappedType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveSpecializationOfSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveTupleTypeInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveTypeAliasWithSpreadConditionalReturnNotCircular.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveTypeComparison.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveTypeComparison2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursiveTypeRelations.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursivelyExpandingUnionNoStackoverflow.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/recursivelySpecializedConstructorDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/redeclareParameterInCatchBlock.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reducibleIndexedAccessTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reexportNameAliasedAndHoisted.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reexportWrittenCorrectlyInDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reexportedMissingAlias.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/referenceSatisfiesExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/regexMatchAll-esnext.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/regexMatchAll.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/regexpExecAndMatchTypeUsages.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/regularExpressionCharacterClassRangeOrder.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/regularExpressionScanning.ts Unexpected flag a in regular expression literal Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/regularExpressionWithNonBMPFlags.ts Expected a semicolon or an implicit semicolon after a statement, but found none Mismatch: tasks/coverage/typescript/tests/cases/compiler/relatedViaDiscriminatedTypeNoError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/relationComplexityError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/renamingDestructuredPropertyInFunctionType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/renamingDestructuredPropertyInFunctionType2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/renamingDestructuredPropertyInFunctionType3.ts tasks/coverage/typescript/tests/cases/compiler/requireAsFunctionInExternalModule.ts Unexpected estree file content error: 1 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/requireEmitSemicolon.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/requireOfAnEmptyFile1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/requiredInitializedParameter1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/requiredMappedTypeModifierTrumpsVariance.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/resolveInterfaceNameWithSameLetDeclarationName1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/resolveInterfaceNameWithSameLetDeclarationName2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/resolveModuleNameWithSameLetDeclarationName1.ts @@ -2459,7 +1149,6 @@ tasks/coverage/typescript/tests/cases/compiler/resolveNameWithNamspace.ts Unexpected estree file content error: 2 != 3 Mismatch: tasks/coverage/typescript/tests/cases/compiler/resolveTypeAliasWithSameLetDeclarationName1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/restArgAssignmentCompat.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restElementAssignable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restElementWithNumberPropertyName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restIntersection.ts @@ -2470,22 +1159,15 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/restParamModifie Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParamUsingMappedTypeOverUnionConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParameterAssignmentCompatibility.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParameterNoTypeAnnotation.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/restParameterNotLast.ts A rest parameter must be last in a parameter list Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParameterTypeInstantiation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParameterWithBindingPattern1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParameterWithBindingPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParameterWithBindingPattern3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/restParamsWithNonRestParams.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restTypeRetainsMappyness.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restUnion2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/restUnion3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/returnTypeInferenceNotTooBroad.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/returnTypePredicateIsInstantiateInContextOfTarget.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/reuseInnerModuleMember.ts tasks/coverage/typescript/tests/cases/compiler/reuseTypeAnnotationImportTypeInGlobalThisTypeArgument.ts Unexpected estree file content error: 2 != 4 @@ -2504,26 +1186,12 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/reverseMappedTypeLimite Mismatch: tasks/coverage/typescript/tests/cases/compiler/reverseMappedTypePrimitiveConstraintProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reverseMappedTypeRecursiveInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/reverseMappedUnionInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/satisfiesEmit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/selfReferencingFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/selfReferencingFile2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/selfReferencingFile3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/shadowedFunctionScopedVariablesByBlockScopedOnes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/shadowedReservedCompilerDeclarationsWithNoEmit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/shadowingViaLocalValueOrBindingElement.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/shebang.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/shebangBeforeReferences.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthand-property-es5-es6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthand-property-es6-amd.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthand-property-es6-es6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthandOfExportedEntity01_targetES2015_CommonJS.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/shorthandOfExportedEntity02_targetES5_CommonJS.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/shorthandPropertyAssignmentsInDestructuring.ts Invalid assignment in object literal Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/shorthandPropertyAssignmentsInDestructuring_ES6.ts Invalid assignment in object literal -Mismatch: tasks/coverage/typescript/tests/cases/compiler/shouldNotPrintNullEscapesIntoOctalLiterals.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sideEffectImports1.ts tasks/coverage/typescript/tests/cases/compiler/sideEffectImports2.ts Unexpected estree file content error: 1 != 2 @@ -2531,14 +1199,8 @@ tasks/coverage/typescript/tests/cases/compiler/sideEffectImports4.ts Unexpected estree file content error: 1 != 3 Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureCombiningRestParameters1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureCombiningRestParameters2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureCombiningRestParameters3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureCombiningRestParameters4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureCombiningRestParameters5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureInstantiationWithRecursiveConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/signatureOverloadsWithComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/silentNeverPropagation.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/simplifyingConditionalWithInteriorConditionalIsRelated.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMap-Comment1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMap-Comments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMap-FileWithComments.ts @@ -2554,27 +1216,17 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDest Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForArrayBindingPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForArrayBindingPatternDefaultValues.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForArrayBindingPatternDefaultValues2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForObjectBindingPattern.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForObjectBindingPattern2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForObjectBindingPatternDefaultValues.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForObjectBindingPatternDefaultValues2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForOfArrayBindingPattern.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForOfArrayBindingPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForOfArrayBindingPatternDefaultValues.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForOfArrayBindingPatternDefaultValues2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForOfObjectBindingPattern.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForOfObjectBindingPattern2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForOfObjectBindingPatternDefaultValues.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringForOfObjectBindingPatternDefaultValues2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringParameterNestedObjectBindingPattern.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringParameterNestedObjectBindingPatternDefaultValues.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringParameterObjectBindingPattern.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringParameterObjectBindingPatternDefaultValues.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringParametertArrayBindingPattern.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringParametertArrayBindingPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringParametertArrayBindingPatternDefaultValues.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatement.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatement1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementArrayBindingPattern.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementArrayBindingPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementArrayBindingPattern3.ts @@ -2584,55 +1236,21 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDest Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementArrayBindingPattern7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementArrayBindingPatternDefaultValues.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementArrayBindingPatternDefaultValues3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementDefaultValues.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementNestedObjectBindingPattern.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementNestedObjectBindingPatternWithDefaultValues.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementObjectBindingPattern1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementObjectBindingPattern2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementObjectBindingPattern3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationDestructuringVariableStatementObjectBindingPattern4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationExportAssignment.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationExportAssignmentCommonjs.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationFunctions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationImport.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapValidationLabeled.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapWithCaseSensitiveFileNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapWithCaseSensitiveFileNamesAndOutDir.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapWithMultipleFilesWithCopyright.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapWithNonCaseSensitiveFileNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/sourceMapWithNonCaseSensitiveFileNamesAndOutDir.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/specedNoStackBlown.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/specialIntersectionsInMappedTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/specializeVarArgs1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/specializedOverloadWithRestParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionGlobal1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionGlobal2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionGlobal4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionJSXAttribute.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/spellingSuggestionLeadingUnderscores01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadExpressionContainingObjectExpressionContextualType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadExpressionContextualType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadExpressionContextualTypeWithNamespace.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadInvalidArgumentType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadOfParamsFromGeneratorMakesRequiredParams.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadParameterTupleType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spreadTupleAccessedByTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spuriousCircularityOnTypeImport.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/spyComparisonChecking.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/stackDepthLimitCastingType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/staticAnonymousTypeNotReferencingTypeParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/staticFieldWithInterfaceContext.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/staticGetter1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/staticGetter2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/staticInitializersAndLegacyClassDecorators.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/staticInstanceResolution3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/staticMethodReferencingTypeArgument1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/staticMethodWithTypeParameterExtendsClauseDeclFile.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/staticPrototypeProperty.ts Classes may not have a static property named prototype Mismatch: tasks/coverage/typescript/tests/cases/compiler/statics.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/stradac.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictFunctionTypesErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictModeReservedWord.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictModeReservedWord2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictModeReservedWordInClassDeclaration.ts @@ -2643,16 +1261,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictModeUseContextual Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictModeWordInExportDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictModeWordInImportDeclaration.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictNullEmptyDestructuring.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictNullLogicalAndOr.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictNullNotNullIndexTypeNoLib.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictNullNotNullIndexTypeShouldWork.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictOptionalProperties1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictOptionalProperties2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/strictSubtypeAndNarrowing.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/stringMatchAll.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/stringRawType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/stripMembersOptionality.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/styleOptions.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/styledComponentsInstantiaionLimitNotReached.ts tasks/coverage/typescript/tests/cases/compiler/subclassThisTypeAssignable01.ts Unexpected estree file content error: 1 != 2 @@ -2660,12 +1272,8 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/compiler/subclassThisTypeAssignable02.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/subclassWithPolymorphicThisIsAssignable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/substitutionTypeNoMergeOfAssignableType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/substitutionTypesInIndexedAccessTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/subtypeReductionUnionConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/super1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/super2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallArgsMustMatch.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallFromClassThatDerivesFromGenericTypeButWithIncorrectNumberOfTypeArguments1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallFromClassThatDerivesFromGenericTypeButWithNoTypeArguments1.ts @@ -2673,100 +1281,30 @@ Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallFromClassThatD Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallFromClassThatHasNoBaseType1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/superCallWithCommentEmit01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/superNewCall1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/switchCaseCircularRefeference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/switchCaseInternalComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/switchCaseNarrowsMatchingClausesEvenWhenNonMatchingClausesExist.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/symbolLinkDeclarationEmitModuleNames.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symbolLinkDeclarationEmitModuleNamesImportRef.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symbolLinkDeclarationEmitModuleNamesRootDir.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symlinkedWorkspaceDependenciesNoDirectLinkGeneratesDeepNonrelativeName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symlinkedWorkspaceDependenciesNoDirectLinkGeneratesNonrelativeName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symlinkedWorkspaceDependenciesNoDirectLinkOptionalGeneratesNonrelativeName.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/symlinkedWorkspaceDependenciesNoDirectLinkPeerGeneratesNonrelativeName.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/syntheticDefaultExportsWithDynamicImports.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemDefaultExportCommentValidity.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemJsForInNoException.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule10.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule10_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule11.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule12.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule13.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule14.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule16.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule7.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule8.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModule9.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleAmbientDeclarations.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleConstEnums.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleConstEnumsSeparateCompilation.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleDeclarationMerging.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleNonTopLevelModuleMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleTargetES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemModuleTrailingComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/systemNamespaceAliasEmit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringWithSymbolExpression01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsHexadecimalEscapes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsHexadecimalEscapesES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsWithCurriedFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsWithMultilineTemplate.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsWithMultilineTemplateES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsWithUnicodeEscapes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsWithUnicodeEscapesES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsWithWhitespaceEscapes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateStringsWithWhitespaceEscapesES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplateWithoutDeclaredHelper.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplatesInDifferentScopes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/taggedTemplatesInModuleAndGlobal.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tailRecursiveConditionalTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/targetTypeTest2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/targetTypeTest3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateExpressionAsPossiblyDiscriminantValue.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateExpressionNoInlininingOfConstantBindingWithInitializer.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateLiteralConstantEvaluation.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateLiteralIntersection.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateLiteralIntersection2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateLiteralIntersection3.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateLiteralIntersection4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateLiteralsAndDecoratorMetadata.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateLiteralsInTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateLiteralsSourceMap.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateStringsArrayTypeDefinedInES5Mode.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateStringsArrayTypeNotDefinedES5Mode.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/templateStringsArrayTypeRedefinedInES6Mode.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/testContainerList.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisConditionalOnMethodReturnOfGenericInstance.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInAccessors.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInClassBodyStaticESNext.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInConstructorParameter2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInGenericStaticMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInSuperCall.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInSuperCall1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInTupleTypeParameterConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisInTypeQuery.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/thisPredicateInObjectLiteral.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/topFunctionTypeNotCallable.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/topLevel.ts tasks/coverage/typescript/tests/cases/compiler/topLevelBlockExpando.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/topLevelExports.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/topLevelLambda4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/transformArrowInBlockScopedLoopVarInitializer.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/transformNestedGeneratorsWithTry.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tripleSlashInCommentNotParsed.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tripleSlashReferenceAbsoluteWindowsPath.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tripleSlashTypesReferenceWithMissingExports.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/trivialSubtypeReductionNoStructuralCheck.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/trivialSubtypeReductionNoStructuralCheck2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/truthinessCallExpressionCoercion.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/truthinessCallExpressionCoercion3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tryCatchFinallyControlFlow.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tryStatementInternalComments.ts tasks/coverage/typescript/tests/cases/compiler/tslibMissingHelper.ts Unexpected estree file content error: 3 != 4 @@ -2783,184 +1321,52 @@ tasks/coverage/typescript/tests/cases/compiler/tslibReExportHelpers2.ts Unexpected estree file content error: 1 != 3 Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxAttributesHasInferrableIndex.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxDiscriminantPropertyInference.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxInvokeComponentType.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxNoTypeAnnotatedSFC.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxNotUsingApparentTypeOfSFC.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxReactPropsInferenceSucceedsOnIntersections.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxSpreadDoesNotReportExcessProps.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxStatelessComponentDefaultProps.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxUnionMemberChecksFilterDataProps.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tsxUnionSpread.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/tupleTypeInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/tupleTypeInference2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/twiceNestedKeyofIndexInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAliasDeclarationEmit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAliasDeclarationEmit2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAliasFunctionTypeSharedSymbol.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeArgInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeArgInferenceWithNull.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeAssignabilityErrorMessage.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeComparisonCaching.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeConstraintsWithConstructSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardConstructorClassAndNumber.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardConstructorDerivedClass.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardConstructorNarrowAny.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardConstructorNarrowPrimitivesInUnion.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardConstructorPrimitiveTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowByMutableUntypedField.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowByUntypedField.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowsIndexedAccessOfKnownProperty1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowsIndexedAccessOfKnownProperty11.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowsIndexedAccessOfKnownProperty12.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardNarrowsIndexedAccessOfKnownProperty7.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeGuardOnContainerTypeNoHang.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInferenceCacheInvalidation.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInferenceFBoundedTypeParams.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInferenceLiteralUnion.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInferenceWithExcessProperties.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInferenceWithExcessPropertiesJsx.tsx -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeInterfaceDeclarationsInBlockStatements1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeNamedUndefined1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeNamedUndefined2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeOfYieldWithUnionInContextualReturnType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeParameterCompatibilityAccrossDeclarations.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeParameterConstraintInstantiation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeParameterExtendsPrimitive.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeParameterLeak.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePartameterConstraintInstantiatedWithDefaultWhenCheckingDefault.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateAcceptingPartialOfRefinedType.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateFreshLiteralWidening.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateInLoop.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateInherit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateStructuralMatch.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateTopLevelTypeParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicateWithThisParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicatesCanNarrowByDiscriminant.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typePredicatesInUnion3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives10.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives12.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives13.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives3.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives4.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives5.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives6.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives7.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeReferenceDirectives9.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeResolution.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeVariableConstraintIntersections.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeVariableConstraintedToAliasNotAssignableToUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeVariableTypeGuards.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typecheckIfCondition.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typedArrayConstructorOverloads.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typedArrays.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typedArraysCrossAssignability01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofAmbientExternalModules.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofImportInstantiationExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofObjectInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofThisInMethodSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/typeofUnknownSymbol.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdDependencyComment2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdDependencyCommentName1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdDependencyCommentName2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdGlobalAugmentationNoCrash.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdGlobalConflict.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdNamedAmdMode.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/umdNamespaceMergedWithGlobalAugmentationIsNotCircular.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unaryPlus.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/undeclaredModuleError.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/undeclaredVarEmit.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/undefinedAssignableToGenericMappedIntersection.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/undefinedTypeArgument2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/underscoreTest1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/underscoreThisInDerivedClass01.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/underscoreThisInDerivedClass02.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionCallMixedTypeParameterPresence.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionOfClassCalls.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionOfEnumInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionPropertyOfProtectedAndIntersectionProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionReductionMutualSubtypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionReductionWithStringMappingAndIdenticalBaseTypeExistsNoCrash.tsx Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionSignaturesWithThisParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionTypeParameterInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionTypeWithLeadingOperator.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unionWithIndexSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/uniqueSymbolAllowsIndexInObjectWithIndexSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/uniqueSymbolAssignmentOnGlobalAugmentationSuceeds.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/uniqueSymbolPropertyDeclarationEmit.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unknownLikeUnionObjectFlagsNotPropagated.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unmatchedParameterPositions.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unmetTypeConstraintInImportCall.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unresolvableSelfReferencingAwaitedUnion.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unspecializedConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/untypedFunctionCallsWithTypeParameters1.ts tasks/coverage/typescript/tests/cases/compiler/untypedModuleImport_withAugmentation2.ts Unexpected estree file content error: 2 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedDestructuring.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedDestructuringParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedInvalidTypeArguments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsAndObjectSpread.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsAndObjectSpread2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsAndParametersDeferred.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsAndParametersOverloadSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsAndParametersTypeAliases.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsAndParametersTypeAliases2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsInMethod4.ts Missing initializer in const declaration -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsInRecursiveReturn.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedLocalsStartingWithUnderscore.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedParameterProperty1.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedParameterProperty2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedParametersWithUnderscore.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedSetterInClass2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedTypeParameters9.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedVariablesWithUnderscoreInBindingElement.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unusedVariablesinModules1.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/unwitnessedTypeParameterVariance.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/useBeforeDeclaration_destructuring.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/useBeforeDeclaration_propertyAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/useBeforeDefinitionInDeclarationFiles.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/useStrictLikePrologueString01.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/usingModuleWithExportImportInValuePosition.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/validUseOfThisInSuper.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/valueOfTypedArray.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/varArgConstructorMemberParameter.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/compiler/varArgParamTypeCheck.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/varArgsOnConstructorTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/vararg.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/vardecl.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/variableDeclarationDeclarationEmitUniqueSymbolPartialStatement.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/variableDeclaratorResolvedDuringContextualTyping.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceAnnotationValidation.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceCallbacksAndIndexedAccesses.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceCantBeStrictWhileStructureIsnt.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceMeasurement.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceProblingAndZeroOrderIndexSignatureRelationsAlign.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceProblingAndZeroOrderIndexSignatureRelationsAlign2.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/varianceRepeatedlyPropegatesWithUnreliableFlag.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/verbatim-declarations-parameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/visibilityOfCrossModuleTypeUsage.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/visibilityOfTypeParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/voidAsNonAmbiguousReturnType.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/voidReturnIndexUnionInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/voidUndefinedReduction.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/vueLikeDataAndPropsInference.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/vueLikeDataAndPropsInference2.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/webworkerIterable.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/whileStatementInnerComments.ts Mismatch: tasks/coverage/typescript/tests/cases/compiler/withExportDecl.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/withImportDecl.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/withStatementInternalComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/compiler/yieldInForInInDownlevelGenerator.ts Expect to Parse: tasks/coverage/typescript/tests/cases/compiler/yieldStringLiteral.ts A 'yield' expression is only allowed in a generator body. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientDeclarations.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientDeclarationsExternal.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientDeclarationsPatterns.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientEnumDeclaration1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientEnumDeclaration2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientExternalModuleInsideNonAmbient.ts @@ -2972,11 +1378,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientShort Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientShorthand_duplicate.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientShorthand_merging.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/ambient/ambientShorthand_reExport.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/asyncFunctionDeclarationParameterEvaluation.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es2017/asyncArrowFunction/asyncArrowFunction5_es2017.ts Cannot use `await` as an identifier in an async context -Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es2017/asyncAwaitIsolatedModules_es2017.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es2017/asyncAwait_es2017.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es2017/asyncMethodWithSuperConflict_es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es2017/asyncMethodWithSuper_es2017.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es2017/await_incorrectThisType.ts @@ -2987,12 +1390,8 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es2017/ Cannot use `await` as an identifier in an async context Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es2017/functionDeclarations/asyncFunctionDeclaration5_es2017.ts Cannot use `await` as an identifier in an async context -Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es5/asyncArrowFunction/asyncArrowFunction11_es5.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es5/asyncArrowFunction/asyncArrowFunction5_es5.ts Cannot use `await` as an identifier in an async context -Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es5/asyncAwaitIsolatedModules_es5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es5/asyncAwaitNestedClasses_es5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es5/asyncAwait_es5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es5/asyncMethodWithSuper_es5.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es5/functionDeclarations/asyncFunctionDeclaration12_es5.ts Cannot use `await` as an identifier in an async context @@ -3003,8 +1402,6 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es5/fun Cannot use `await` as an identifier in an async context Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es6/asyncArrowFunction/asyncArrowFunction5_es6.ts Cannot use `await` as an identifier in an async context -Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es6/asyncAwaitIsolatedModules_es6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es6/asyncAwait_es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es6/asyncMethodWithSuper_es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es6/asyncWithVarShadowing_es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/async/es6/await_unaryExpression_es6.ts @@ -3016,31 +1413,16 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es6/fun Cannot use `await` as an identifier in an async context Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/async/es6/functionDeclarations/asyncOrYieldAsBindingIdentifier1.ts Cannot use `await` as an identifier in an async context -Mismatch: tasks/coverage/typescript/tests/cases/conformance/asyncGenerators/asyncGeneratorGenericNonWrappedReturn.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/asyncGenerators/asyncGeneratorParameterEvaluation.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/asyncGenerators/asyncGeneratorPromiseNextType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/classAbstractKeyword/classAbstractInstantiations1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/classHeritageSpecification/classExtendingOptionalChain.ts Expected `{` but found `?.` -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/classHeritageSpecification/constructorFunctionTypeIsAssignableToBaseType2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/classWithPredefinedTypesAsNames.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classDeclarations/modifierOnClassDeclarationMemberInFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/classWithStaticFieldInParameterBindingPattern.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/classWithStaticFieldInParameterBindingPattern.3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/classWithStaticFieldInParameterBindingPattern.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/classWithStaticFieldInParameterInitializer.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/classWithStaticFieldInParameterInitializer.3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/classWithStaticFieldInParameterInitializer.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/genericClassExpressionInFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classExpressions/modifierOnClassExpressionMemberInFunction.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlock22.ts Cannot use `await` as an identifier in an async context -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlock24.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlock27.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlock7.ts A 'yield' expression is only allowed in a generator body. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/classStaticBlock/classStaticBlock8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/automaticConstructors/derivedClassWithoutExplicitConstructor3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/classConstructorAccessibility.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/classConstructorAccessibility2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/classConstructorAccessibility3.ts @@ -3056,53 +1438,32 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorD Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/constructorParameters/readonlyInConstructorParameters.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/constructorParameters/readonlyReadonly.ts readonly' modifier already seen. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/constructorWithAssignableReturnExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/constructorWithExpressionLessReturn.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/quotedConstructors.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/derivedClassConstructorWithoutSuperCall.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/derivedClassParameterProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/derivedClassSuperCallsWithThisArg.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/derivedClassSuperStatementPosition.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/emitStatementsBeforeSuperCall.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/emitStatementsBeforeSuperCallWithDefineFields.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/constructorDeclarations/superCalls/superCallInConstructorWithNoBaseType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/indexMemberDeclarations/staticIndexers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/privateClassPropertyAccessibleWithinClass.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/privateClassPropertyAccessibleWithinNestedClass.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/privateProtectedMembersAreNotAccessibleDestructuring.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/privateStaticNotAccessibleInClodule.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/privateStaticNotAccessibleInClodule2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/protectedClassPropertyAccessibleWithinClass.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/protectedClassPropertyAccessibleWithinNestedClass.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/protectedClassPropertyAccessibleWithinSubclass.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/accessibility/protectedStaticNotAccessibleInClodule.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/classTypes/instancePropertiesInheritedIntoClassType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/classTypes/instancePropertyInClassType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/classTypes/staticPropertyNotInClassType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/constructorFunctionTypes/classWithStaticMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/inheritanceAndOverriding/derivedClassTransitivity.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/inheritanceAndOverriding/derivedClassTransitivity2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/inheritanceAndOverriding/derivedClassTransitivity3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/inheritanceAndOverriding/derivedClassTransitivity4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/instanceAndStaticMembers/superInStaticMembers1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/instanceAndStaticMembers/thisAndSuperInStaticMembers1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/instanceAndStaticMembers/thisAndSuperInStaticMembers2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/instanceAndStaticMembers/typeOfThisInStaticMembers5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/instanceAndStaticMembers/typeOfThisInstanceMemberNarrowedWithLoopAntecedent.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameAccessorsCallExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameAndObjectRestSpread.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameAndPropertySignature.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameBadDeclaration.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameComputedPropertyName1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameComputedPropertyName4.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameConstructorReserved.ts Classes can't have an element named '#constructor' Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameEmitHelpers.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameEnum.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameFieldCallExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameFieldDestructuredBinding.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameInObjectLiteral-1.ts Unexpected token @@ -3111,150 +1472,69 @@ Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameInObjectLiteral-3.ts Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameMethodAssignment.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameMethodCallExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameStaticAccessorsAccess.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameStaticAccessorsCallExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameStaticEmitHelpers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameStaticFieldCallExpression.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameStaticFieldDestructuredBinding.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameStaticMethodAssignment.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameStaticMethodCallExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNameUnused.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNamesUnique-2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateNamesUnique-5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/members/privateNames/privateWriteOnlyAccessorRead.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/methodDeclarations/optionalMethodDeclarations.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/mixinAbstractClasses.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/mixinAbstractClasses.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/mixinAbstractClassesReturnTypeInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/mixinAccessModifiers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/mixinClassesAnnotated.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/mixinClassesAnonymous.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/mixinClassesMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/mixinWithBaseDependingOnSelfNoCrash1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/accessorsOverrideProperty2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/accessorsOverrideProperty8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/accessorsOverrideProperty9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/assignParameterPropertyToPropertyDeclarationES2022.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/assignParameterPropertyToPropertyDeclarationESNext.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessor9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessorAllowedModifiers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/autoAccessorNoUseDefineForClassFields.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/constructorParameterShadowsOuterScopes.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/constructorParameterShadowsOuterScopes2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/defineProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/initializationOrdering1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/initializerReferencingConstructorLocals.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/initializerReferencingConstructorParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/instanceMemberInitialization.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/instanceMemberWithComputedPropertyName.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/instanceMemberWithComputedPropertyName2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/memberAccessorDeclarations/accessorsAreNotContextuallyTyped.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/memberAccessorDeclarations/ambientAccessors.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/propertyNamedConstructor.ts Classes can't have a field named 'constructor' Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/propertyNamedPrototype.ts Classes may not have a static property named prototype -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/propertyOverridesAccessors2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/propertyOverridesAccessors5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/redefinedPararameterProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/staticAutoAccessors.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/staticAutoAccessorsWithDecorators.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/staticPropertyNameConflicts.ts Classes may not have a static property named prototype -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/staticPropertyNameConflictsInAmbientContext.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/strictPropertyInitialization.ts tasks/coverage/typescript/tests/cases/conformance/classes/propertyMemberDeclarations/thisPropertyOverridesAccessors.ts Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnum1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnum2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnumNoObjectPrototypePropertyAccess.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnumPropertyAccess1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/constEnums/constEnumPropertyAccess2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/controlFlow/assertionTypePredicates1.ts Expected `,` but found `is` Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowAliasing.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowAssignmentPatternOrder.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowBinaryOrExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowBindingElement.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowBindingPatternOrder.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowDestructuringDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowElementAccessNoCrash1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowGenericTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowInOperator.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowInstanceofExtendsFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowIterationErrorsAsync.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowNoIntermediateErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowNullishCoalesce.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowOptionalChain.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowOptionalChain3.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/controlFlowWithTemplateLiterals.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/dependentDestructuredVariables.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/dependentDestructuredVariablesFromNestedPatterns.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/dependentDestructuredVariablesWithExport.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/neverReturningFunctions1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/switchWithConstrainedTypeVariable.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/typeGuardsAsAssertions.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/controlFlow/typeGuardsTypeParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/declarationEmitWorkWithInlineComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/exportDefaultExpressionComments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/exportDefaultNamespace.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/libReferenceDeclarationEmit.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/libReferenceDeclarationEmitBundle.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/libReferenceNoLib.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/libReferenceNoLibBundle.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typePredicates/declarationEmitIdentifierPredicates01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typePredicates/declarationEmitIdentifierPredicatesWithPrivateName01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typePredicates/declarationEmitThisPredicates01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typePredicates/declarationEmitThisPredicates02.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typePredicates/declarationEmitThisPredicatesWithPrivateName01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typePredicates/declarationEmitThisPredicatesWithPrivateName02.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/declarationEmit/typeReferenceRelatedFiles.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/1.0lib-noErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/constructor/decoratorOnClassConstructor2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/constructor/decoratorOnClassConstructor3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/constructor/decoratorOnClassConstructor4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/constructor/parameter/decoratorOnClassConstructorParameter5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratedBlockScopedClass1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratedBlockScopedClass2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratedBlockScopedClass3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratedClassExportsCommonJS1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratedClassExportsCommonJS2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratedClassExportsSystem1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratedClassExportsSystem2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratedClassFromExternalModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratorChecksFunctionBodies.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratorInstantiateModulesInFunctionBodies.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratorOnClass2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/decoratorOnClass3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/method/decoratorOnClassMethod19.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/method/parameter/decoratorOnClassMethodParameter3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/class/property/decoratorOnClassProperty12.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/decorators/decoratorMetadata-jsdoc.ts Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/decoratorMetadata.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/decorators/decoratorMetadataWithTypeOnlyImport.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/directives/ts-expect-error-nocheck.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/directives/ts-expect-error.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/directives/ts-ignore.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpression1ES2020.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpression2ES2020.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpression3ES2020.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpression4ES2020.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpression5ES2020.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpression6ES2020.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES2020.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES5AMD.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES5CJS.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES5System.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES5UMD.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES6AMD.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES6CJS.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES6System.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionAsyncES6UMD.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionDeclarationEmit1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionES5AMD.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionES5CJS.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionES5System.ts @@ -3282,43 +1562,16 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/import Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionInUMD4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionInUMD5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionNoModuleKindSpecified.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionReturnPromiseOfAny.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionShouldNotGetParen.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/dynamicImport/importCallExpressionWithTypeArgument.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/enums/awaitAndYield.ts `await` is only allowed within async functions and at the top levels of modules -Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumBasics.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumClassification.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumConstantMemberWithTemplateLiterals.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumConstantMemberWithTemplateLiteralsEmitDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumConstantMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumErrorOnConstantBindingWithInitializer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumExportMergingES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumMerging.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumMergingErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/enums/enumShadowedInfinityNaN.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2016/es2016IntlAPIs.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2018/es2018IntlAPIs.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2019/allowUnescapedParagraphAndLineSeparatorsInStringLiteral.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2019/globalThisGlobalExportAsGlobal.ts tasks/coverage/typescript/tests/cases/conformance/es2019/globalThisVarDeclaration.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2019/importMeta/importMeta.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2019/importMeta/importMetaNarrowing.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2020/es2020IntlAPIs.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2020/intlNumberFormatES2020.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2020/modules/exportAsNamespace_nonExistent.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2022/arbitraryModuleNamespaceIdentifiers/arbitraryModuleNamespaceIdentifiers_exportEmpty.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2022/arbitraryModuleNamespaceIdentifiers/arbitraryModuleNamespaceIdentifiers_importEmpty.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2022/arbitraryModuleNamespaceIdentifiers/arbitraryModuleNamespaceIdentifiers_module.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2022/es2022IntlAPIs.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2022/es2024SharedMemory.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2023/intlNumberFormatES2023.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2023/intlNumberFormatES5UseGrouping.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es2024/sharedMemory.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty60.ts +Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es2019/importMeta/importMeta.ts +The only valid meta property for import is import.meta Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolProperty61.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/Symbols/symbolType20.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/arrowFunction/disallowLineTerminatorBeforeArrow.ts @@ -3394,7 +1647,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithThisKeywordInES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithTypeArgumentAndOverloadInES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/emitClassDeclarationWithTypeArgumentInES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/exportDefaultClassWithStaticPropertyAssignmentsInES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/parseClassDeclarationInStrictModeByDefaultInES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/superCallBeforeThisAccessing1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/superCallBeforeThisAccessing2.ts @@ -3404,28 +1656,12 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/superCallBeforeThisAccessing6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/superCallBeforeThisAccessing7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/classDeclaration/superCallBeforeThisAccessing8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames10_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames10_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames11_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames11_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames12_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames12_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames13_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames13_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames16_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames16_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames4_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/computedProperties/computedPropertyNames4_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/accessor/decoratorOnClassAccessor1.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/decoratorOnClass2.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/decoratorOnClass3.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/decoratorOnClass4.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/decoratorOnClass6.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/decoratorOnClass7.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/decoratorOnClass8.es6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/method/decoratorOnClassMethod1.es6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/method/parameter/decoratorOnClassMethodParameter1.es6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/decorators/class/property/decoratorOnClassProperty1.es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/defaultParameters/emitDefaultParametersFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/defaultParameters/emitDefaultParametersFunctionES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/defaultParameters/emitDefaultParametersFunctionExpression.ts @@ -3435,7 +1671,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/defaultParameter Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/defaultParameters/emitDefaultParametersMethod.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/defaultParameters/emitDefaultParametersMethodES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/arrayAssignmentPatternWithAny.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/declarationInAmbientContext.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/declarationWithNoInitializer.ts Missing initializer in destructuring declaration Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/declarationsAndAssignments.ts @@ -3443,22 +1678,12 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/de Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringArrayBindingPatternAndAssignment1ES5iterable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringArrayBindingPatternAndAssignment1ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringArrayBindingPatternAndAssignment2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringArrayBindingPatternAndAssignment4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringArrayBindingPatternAndAssignment5SiblingInitializer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringCatch.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringControlFlow.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringEvaluationOrder.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringInFunctionType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectAssignmentPatternWithNestedSpread.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectBindingPatternAndAssignment1ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectBindingPatternAndAssignment1ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectBindingPatternAndAssignment4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectBindingPatternAndAssignment5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectBindingPatternAndAssignment6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectBindingPatternAndAssignment7.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectBindingPatternAndAssignment8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringObjectBindingPatternAndAssignment9SiblingInitializer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterDeclaration10.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterDeclaration1ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterDeclaration1ES5iterable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterDeclaration1ES6.ts @@ -3470,7 +1695,6 @@ A rest parameter cannot be optional Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterDeclaration5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterDeclaration7ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterDeclaration7ES5iterable.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterDeclaration8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterProperties1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterProperties2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterProperties3.ts @@ -3478,19 +1702,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/de Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringParameterProperties5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringReassignsRightHandSide.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringSameNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringSpread.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringTypeAssertionsES5_1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringTypeAssertionsES5_2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringTypeAssertionsES5_3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringTypeAssertionsES5_4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringTypeAssertionsES5_5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringTypeAssertionsES5_6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringTypeAssertionsES5_7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringVariableDeclaration1ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringVariableDeclaration1ES5iterable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringVariableDeclaration1ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringVariableDeclaration2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/destructuringWithLiteralInitializers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns01_ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns01_ES5iterable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns01_ES6.ts @@ -3503,9 +1718,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/em Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns04_ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns04_ES5iterable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyAssignmentPatterns04_ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyVariableDeclarationBindingPatterns01_ES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyVariableDeclarationBindingPatterns01_ES5iterable.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyVariableDeclarationBindingPatterns01_ES6.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyVariableDeclarationBindingPatterns02_ES5.ts Missing initializer in destructuring declaration Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/emptyVariableDeclarationBindingPatterns02_ES5iterable.ts @@ -3515,19 +1727,10 @@ Missing initializer in destructuring declaration Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern12.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern13.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern14.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern15.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern16.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern17.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern20.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern22.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern23.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern24.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern25.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern26.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern27.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern28.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern29.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/destructuring/iterableArrayPattern5.ts @@ -3619,19 +1822,9 @@ Cannot use `yield` as an identifier in a generator context Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsAmd/decoratedDefaultExportsGetExportedAmd.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsCommonjs/decoratedDefaultExportsGetExportedCommonjs.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsSystem/decoratedDefaultExportsGetExportedSystem.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsSystem/topLevelVarHoistingCommonJS.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsSystem/topLevelVarHoistingSystem.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/moduleExportsUmd/decoratedDefaultExportsGetExportedUmd.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/defaultExportWithOverloads01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/defaultExportsCannotMerge04.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImportsWithContextualKeywordNames01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImportsWithContextualKeywordNames02.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImportsWithUnderscores2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/exportsAndImportsWithUnderscores3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/importEmptyFromModuleNotExisted.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/multipleDefaultExports03.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/multipleDefaultExports04.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/modules/multipleDefaultExports05.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersFunctionES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersFunctionExpression.ts @@ -3640,25 +1833,12 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/e Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersFunctionPropertyES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersMethod.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/emitRestParametersMethodES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/restParameters/readonlyRestParameters.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesAssignmentES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesAssignmentError.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesAssignmentErrorFromMissingIdentifier.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesFunctionArgument.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesFunctionArgument2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/shorthandPropertyAssignment/objectLiteralShorthandPropertiesWithModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/arraySpreadImportHelpers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/arraySpreadInCall.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall11.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall12.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall7.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/spread/iteratorSpreadInCall9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateStringsPlainCharactersThatArePartsOfEscapes01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateStringsPlainCharactersThatArePartsOfEscapes01_ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateStringsPlainCharactersThatArePartsOfEscapes02.ts @@ -3683,10 +1863,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/tagged Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateStringsWithTypeErrorInFunctionExpressionsInSubstitutionExpressionES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateStringsWithTypedTags.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateStringsWithTypedTagsES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateUntypedTagCall01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateWithConstructableTag01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplateWithConstructableTag02.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/taggedTemplatesWithTypeArguments1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringBinaryOperations.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringBinaryOperationsES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringBinaryOperationsES6Invalid.ts @@ -3711,8 +1887,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templa Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringInDivision.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringInEqualityChecks.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringInEqualityChecksES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringInFunctionExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringInFunctionExpressionES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringInInOperator.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringInInOperatorES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringInIndexExpression.ts @@ -3783,8 +1957,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templa Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringWithEmbeddedConditionalES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringWithEmbeddedDivision.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringWithEmbeddedDivisionES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringWithEmbeddedFunctionExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringWithEmbeddedFunctionExpressionES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringWithEmbeddedInOperator.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringWithEmbeddedInOperatorES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/templates/templateStringWithEmbeddedInstanceOf.ts @@ -3877,7 +2049,6 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpr A 'yield' expression is only allowed in a generator body. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/YieldExpression2_es6.ts A 'yield' expression is only allowed in a generator body. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorNoImplicitReturns.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck32.ts A 'yield' expression is only allowed in a generator body. Mismatch: tasks/coverage/typescript/tests/cases/conformance/es6/yieldExpressions/generatorTypeCheck62.ts @@ -3903,294 +2074,84 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOp Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/emitExponentiationOperatorInTemplateString2ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/emitExponentiationOperatorInTemplateString3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/emitExponentiationOperatorInTemplateString3ES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithEnum.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithEnumUnion.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithInvalidOperands.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithInvalidSimpleUnaryExpressionOperands.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithNew.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithNullValueAndInvalidOperands.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithNullValueAndValidOperands.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithOnlyNullValueOrUndefinedValue.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithTemplateStringInvalid.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithTemplateStringInvalidES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithTypeParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithUndefinedValueAndInvalidOperands.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/es7/exponentiationOperator/exponentiationOperatorWithUndefinedValueAndValidOperands.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es7/trailingCommasInBindingPatterns.ts Unexpected trailing comma after rest element Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/es7/trailingCommasInFunctionParametersAndArguments.ts A rest parameter must be last in a parameter list -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/classSuper/esDecorators-classDeclaration-classSuper.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/classSuper/esDecorators-classDeclaration-classSuper.3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/classSuper/esDecorators-classDeclaration-classSuper.4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/classSuper/esDecorators-classDeclaration-classSuper.5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/classSuper/esDecorators-classDeclaration-classSuper.6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-commentPreservation.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-commonjs-classNamespaceMerge.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-commonjs.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-parameterProperties.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classDeclaration/esDecorators-classDeclaration-setFunctionName.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/classSuper/esDecorators-classExpression-classSuper.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/classSuper/esDecorators-classExpression-classSuper.3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/classSuper/esDecorators-classExpression-classSuper.4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/classSuper/esDecorators-classExpression-classSuper.5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/classSuper/esDecorators-classExpression-classSuper.6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.17.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/esDecorators-classExpression-missingEmitHelpers-classDecorator.8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/namedEvaluation/esDecorators-classExpression-namedEvaluation.4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/namedEvaluation/esDecorators-classExpression-namedEvaluation.5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/namedEvaluation/esDecorators-classExpression-namedEvaluation.6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/classExpression/namedEvaluation/esDecorators-classExpression-namedEvaluation.7.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/esDecorators-arguments.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/esDecorators-contextualTypes.2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/esDecorators/esDecorators-decoratorExpression.1.ts Expected a semicolon or an implicit semicolon after a statement, but found none -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/esDecorators-decoratorExpression.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/esDecorators/esDecorators-preservesThis.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/arrayLiterals/arrayLiteralInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/arrayLiterals/arrayLiterals.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/arrayLiterals/arrayLiterals2ES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/arrayLiterals/arrayLiterals2ES6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/arrayLiterals/arrayLiterals3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/asOperator/asOperator3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/asOperator/asOperatorASI.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/asOperator/asOperatorContextualType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/assignmentOperator/assignmentGenericLookupTypeNarrowing.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/assignmentOperator/assignmentTypeNarrowing.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/assignmentOperator/compoundAdditionAssignmentLHSCannotBeAssigned.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithConstrainedTypeParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithNullValueAndInvalidOperator.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithNullValueAndValidOperator.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithOnlyNullValueOrUndefinedValue.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithTypeParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithUndefinedValueAndInvalidOperands.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/additionOperator/additionOperatorWithUndefinedValueAndValidOperator.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithEnum.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithEnumUnion.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithInvalidOperands.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithNullValueAndInvalidOperands.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithNullValueAndValidOperands.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithOnlyNullValueOrUndefinedValue.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithTypeParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithUndefinedValueAndInvalidOperands.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/arithmeticOperator/arithmeticOperatorWithUndefinedValueAndValidOperands.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNoRelationshipObjectsOnCallSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNoRelationshipObjectsOnConstructorSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNoRelationshipObjectsOnInstantiatedCallSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNoRelationshipObjectsOnInstantiatedConstructorSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithNumberOperand.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithSubtypeObjectOnCallSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithSubtypeObjectOnConstructorSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithSubtypeObjectOnInstantiatedCallSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/comparisonOperator/comparisonOperatorWithSubtypeObjectOnInstantiatedConstructorSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/instanceofOperator/instanceofOperatorWithRHSHasSymbolHasInstance.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalAndOperator/logicalAndOperatorWithEveryType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalAndOperator/logicalAndOperatorWithTypeParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalOrOperator/logicalOrExpressionIsContextuallyTyped.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalOrOperator/logicalOrExpressionIsNotContextuallyTyped.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/binaryOperators/logicalOrOperator/logicalOrOperatorWithEveryType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/commaOperator/commaOperatorOtherInvalidOperation.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/commaOperator/commaOperatorOtherValidOperation.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorConditionIsBooleanType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorConditionIsNumberType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorConditionIsObjectType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorConditoinIsAnyType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorConditoinIsStringType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorWithIdenticalBCT.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/conditonalOperator/conditionalOperatorWithoutIdenticalBCT.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/argumentExpressionContextualTyping.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/arrayLiteralExpressionContextualTyping.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/functionExpressionContextualTyping1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/functionExpressionContextualTyping2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/functionExpressionContextualTyping3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/generatedContextualTyping.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/getSetAccessorContextualTyping.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/iterableContextualTyping1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/objectLiteralContextualTyping.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/parenthesizedContexualTyping2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/parenthesizedContexualTyping3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/superCallParameterContextualTyping1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/superCallParameterContextualTyping2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/superCallParameterContextualTyping3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/taggedTemplateContextualTyping1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/contextualTyping/taggedTemplateContextualTyping2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/elementAccess/letIdentifierInElementAccess01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callOverload.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithMissingVoid.ts tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithMissingVoidUndefinedUnknownAnyInJs.ts Unexpected estree file content error: 2 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithSpread.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithSpread2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithSpread3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithSpread4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithSpread5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/callWithSpreadES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/functionCalls.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/newWithSpread.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/newWithSpreadES5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/newWithSpreadES6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/typeArgumentInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/typeArgumentInferenceConstructSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/typeArgumentInferenceErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functionCalls/typeArgumentInferenceWithConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functions/arrowFunctionContexts.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functions/arrowFunctionExpressions.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functions/contextuallyTypedIife.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functions/contextuallyTypedIifeStrict.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/functions/typeOfThisInFunctionExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/identifiers/scopeResolutionIdentifiers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperatorInAsyncGenerator.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperatorInParameterBindingPattern.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperatorInParameterBindingPattern.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperatorInParameterInitializer.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/nullishCoalescingOperator/nullishCoalescingOperatorInParameterInitializer.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/expressions/objectLiterals/objectLiteralErrors.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/objectLiterals/objectLiteralGettersAndSetters.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/objectLiterals/objectLiteralNormalization.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/callChain/callChain.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/callChain/callChainInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/callChain/callChainWithSuper.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/callChain/parentheses.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/optionalChainingInArrow.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/optionalChainingInLoop.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/optionalChainingInParameterBindingPattern.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/optionalChainingInParameterBindingPattern.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/optionalChainingInParameterInitializer.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/optionalChainingInParameterInitializer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/optionalChainingInference.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/expressions/optionalChaining/taggedTemplateChain/taggedTemplateChain.ts Tagged template expressions are not permitted in an optional chain -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/propertyAccess/propertyAccessWidening.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/superCalls/superCalls.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/superPropertyAccess/errorSuperPropertyAccess.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/superPropertyAccess/superPropertyAccessNoError.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/thisKeyword/thisInInvalidContextsExternalModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/thisKeyword/typeOfThisInConstructorParamList.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeAssertions/constAssertions.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardFunctionOfFormThis.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardFunctionOfFormThisErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardIntersectionTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardNarrowsPrimitiveIntersection.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardNarrowsToLiteralTypeUnion.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardOfFormInstanceOf.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardOfFormInstanceOfOnInterface.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardOfFormThisMember.ts Expected a semicolon or an implicit semicolon after a statement, but found none Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardOfFormThisMemberErrors.ts Expected a semicolon or an implicit semicolon after a statement, but found none -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardTypeOfUndefined.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsDefeat.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInClassAccessors.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInClassMethods.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInConditionalExpression.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInExternalModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInFunction.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInFunctionAndModuleBlock.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInGlobal.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInIfStatement.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInProperties.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInRightOperandOfAndAndOperator.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsInRightOperandOfOrOrOperator.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsObjectMethods.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsOnClassProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typeGuardsWithInstanceOf.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/expressions/typeGuards/typePredicateOnVariableDeclaration01.ts Expected a semicolon or an implicit semicolon after a statement, but found none -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_asConstArrays.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_contextualTyping3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_errorLocations1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/typeSatisfaction/typeSatisfaction_propertyValueConformance3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/bitwiseNotOperator/bitwiseNotOperatorWithAnyOtherType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/bitwiseNotOperator/bitwiseNotOperatorWithBooleanType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/bitwiseNotOperator/bitwiseNotOperatorWithEnumType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/bitwiseNotOperator/bitwiseNotOperatorWithNumberType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/bitwiseNotOperator/bitwiseNotOperatorWithStringType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/decrementOperator/decrementOperatorWithAnyOtherType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/decrementOperator/decrementOperatorWithEnumType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/decrementOperator/decrementOperatorWithNumberType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/deleteOperator/deleteOperatorWithAnyOtherType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/deleteOperator/deleteOperatorWithBooleanType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/deleteOperator/deleteOperatorWithEnumType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/deleteOperator/deleteOperatorWithNumberType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/deleteOperator/deleteOperatorWithStringType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/incrementOperator/incrementOperatorWithAnyOtherType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/incrementOperator/incrementOperatorWithEnumType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/incrementOperator/incrementOperatorWithNumberType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/logicalNotOperator/logicalNotOperatorWithAnyOtherType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/logicalNotOperator/logicalNotOperatorWithBooleanType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/logicalNotOperator/logicalNotOperatorWithEnumType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/logicalNotOperator/logicalNotOperatorWithNumberType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/logicalNotOperator/logicalNotOperatorWithStringType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/negateOperator/negateOperatorWithAnyOtherType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/negateOperator/negateOperatorWithBooleanType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/negateOperator/negateOperatorWithEnumType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/negateOperator/negateOperatorWithNumberType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/negateOperator/negateOperatorWithStringType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/plusOperator/plusOperatorWithAnyOtherType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/plusOperator/plusOperatorWithBooleanType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/plusOperator/plusOperatorWithEnumType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/plusOperator/plusOperatorWithNumberType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/plusOperator/plusOperatorWithStringType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/typeofOperator/typeofOperatorWithAnyOtherType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/typeofOperator/typeofOperatorWithBooleanType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/typeofOperator/typeofOperatorWithEnumType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/typeofOperator/typeofOperatorWithNumberType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/typeofOperator/typeofOperatorWithStringType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/voidOperator/voidOperatorWithAnyOtherType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/voidOperator/voidOperatorWithBooleanType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/voidOperator/voidOperatorWithEnumType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/voidOperator/voidOperatorWithNumberType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/unaryOperators/voidOperator/voidOperatorWithStringType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/expressions/valuesAndReferences/assignments.ts tasks/coverage/typescript/tests/cases/conformance/externalModules/commonJsImportBindingElementNarrowType.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekind.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindExportClassNameWithObject.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES2015Target.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target10.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target11.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target12.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target7.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/es6/es6modulekindWithES5Target9.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekind.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES2015Target.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target10.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target11.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target12.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target7.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/esnextmodulekindWithES5Target9.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/esnext/exnextmodulekindExportClassNameWithObject.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAmbientClassNameWithObject.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAssignmentAndDeclaration.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportAssignmentOfExportNamespaceWithDefault.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportClassNameWithObjectAMD.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportClassNameWithObjectCommonJS.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportClassNameWithObjectSystem.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportClassNameWithObjectUMD.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportDefaultClassNameWithObject.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportNonInitializedVariablesInIfThenStatementNoCrash1.ts Missing initializer in const declaration -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportNonLocalDeclarations.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/exportTypeMergedWithExportStarAsNamespace.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/globalAugmentationModuleResolution.ts tasks/coverage/typescript/tests/cases/conformance/externalModules/moduleResolutionWithoutExtension3.ts @@ -4215,29 +2176,15 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/externalModules/rewriteRelativeImportExtensions/nonTSExtensions.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAmbientModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwait.1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwait.3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.10.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.11.ts Cannot use `await` as an identifier in an async context -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.12.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.6.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.7.ts Cannot use `await` as an identifier in an async context Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.8.ts Cannot use `await` as an identifier in an async context -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitErrors.9.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelAwaitNonModule.ts `await` is only allowed within async functions and at the top levels of modules Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelFileModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/topLevelModuleDeclarationAndFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeAndNamespaceExportMerge.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/allowsImportingTsExtension.ts tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/grammarErrors.ts Unexpected estree file content error: 3 != 4 @@ -4247,70 +2194,20 @@ tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/impor Unexpected estree file content error: 1 != 2 Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/importsNotUsedAsValues_error.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/namespaceMemberAccess.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/typeOnly/preserveValueImports_module.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd-augmentation-1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd-augmentation-2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd-augmentation-3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd-augmentation-4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd7.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/umd9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxAmbientConstEnum.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxCompat.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxConstEnum.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxInternalImportEquals.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxNoElisionCJS.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/externalModules/verbatimModuleSyntaxRestrictionsCJS.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/fixSignatureCaching.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/functionImplementationErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/functionImplementations.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/functionNameConflicts.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/functionOverloadErrors.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/functions/functionOverloadErrorsSyntax.ts A rest parameter must be last in a parameter list Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/functionParameterObjectRestAndInitializers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/functionWithUseStrictAndSimpleParameterList_es2016.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/parameterInitializersBackwardReferencing.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/parameterInitializersForwardReferencing.2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/parameterInitializersForwardReferencing1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/parameterInitializersForwardReferencing1_es6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/strictBindCallApply1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/functions/strictBindCallApply2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorAssignability.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorReturnContextualType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorReturnTypeFallback.1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorReturnTypeFallback.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorReturnTypeFallback.4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/generatorReturnTypeFallback.5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/restParameterInDownlevelGenerator.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/generators/yieldStatementNoAsiAfterTransform.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/inferFromBindingPattern.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/genericAndNonGenericInterfaceWithTheSameName.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/genericAndNonGenericInterfaceWithTheSameName2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergeThreeInterfaces.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergeThreeInterfaces2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergeTwoInterfaces.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergeTwoInterfaces2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergedInterfacesWithIndexers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergedInterfacesWithIndexers2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergedInterfacesWithMultipleBases.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergedInterfacesWithMultipleBases2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergedInterfacesWithMultipleBases3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/mergedInterfacesWithMultipleBases4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/twoGenericInterfacesDifferingByTypeParameterName.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/twoGenericInterfacesDifferingByTypeParameterName2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/twoInterfacesDifferentRootModule.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/twoInterfacesDifferentRootModule2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/declarationMerging/twoMergedInterfacesWithDifferingOverloads.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/interfaceDeclarations/derivedInterfaceDoesNotHideBaseSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/interfaceDeclarations/interfaceExtendsObjectIntersection.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/interfaceDeclarations/interfaceExtendsObjectIntersectionErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/interfaces/interfaceDeclarations/interfaceWithMultipleBaseTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/AmbientModuleAndNonAmbientClassWithSameNameAndCommonRoot.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ClassAndModuleThatMergeWithModuleMemberThatUsesClassTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ClassAndModuleThatMergeWithStaticFunctionAndExportedFunctionThatShareAName.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ClassAndModuleThatMergeWithStaticFunctionAndNonExportedFunctionThatShareAName.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/ClassAndModuleThatMergeWithStaticVariableAndExportedVarThatShareAName.ts @@ -4330,7 +2227,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/Decl Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/TwoInternalModulesThatMergeEachWithExportedModulesOfTheSameName.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/TwoInternalModulesWithTheSameNameAndDifferentCommonRoot.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/DeclarationMerging/TwoInternalModulesWithTheSameNameAndSameCommonRoot.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/codeGeneration/exportCodeGen.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/codeGeneration/importStatements.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/codeGeneration/nameCollision.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportClassWhichExtendsInterfaceWithInaccessibleType.ts @@ -4343,17 +2239,12 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/expo Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportObjectLiteralAndObjectTypeLiteralWithAccessibleTypesInMemberTypeAnnotations.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ExportObjectLiteralAndObjectTypeLiteralWithAccessibleTypesInNestedMemberTypeAnnotations.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/exportDeclarations/ModuleWithExportedAndNonExportedImportAlias.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/importDeclarations/circularImportAlias.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/importDeclarations/exportImportAlias.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/importDeclarations/importAliasIdentifiers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/importDeclarations/invalidImportAliasIdentifiers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/importDeclarations/shadowedInternalModule.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleBody/moduleWithStatementsOfEveryKind.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleDeclarations/asiPreventsParsingAsNamespace05.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleDeclarations/instantiatedModule.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleDeclarations/invalidNestedModules.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleDeclarations/nestedModules.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/internalModules/moduleDeclarations/reExportAliasMakesInstantiated.ts tasks/coverage/typescript/tests/cases/conformance/jsdoc/checkExportsObjectAssignProperty.ts Unexpected estree file content error: 1 != 4 @@ -4420,7 +2311,6 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/jsdoc/importTag21.ts Unexpected estree file content error: 2 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/importTag22.ts tasks/coverage/typescript/tests/cases/conformance/jsdoc/importTag23.ts Unexpected estree file content error: 1 != 2 @@ -4472,14 +2362,12 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocImportTypeReferenceToESModule.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocLinkTag5.ts tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocParseBackquotedParamName.ts Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocThisType.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocTwoLineTypedef.ts tasks/coverage/typescript/tests/cases/conformance/jsdoc/jsdocTypeReferenceToImport.ts Unexpected estree file content error: 1 != 2 @@ -4501,39 +2389,22 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/jsdoc/paramTagOnFunctionUsingArguments.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/parseLinkTag.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/parseThrowsTag.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/seeTag2.ts tasks/coverage/typescript/tests/cases/conformance/jsdoc/syntaxErrors.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/tsNoCheckForTypescript.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/tsNoCheckForTypescriptComments1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsdoc/tsNoCheckForTypescriptComments2.ts tasks/coverage/typescript/tests/cases/conformance/jsdoc/typedefCrossModule.ts Unexpected estree file content error: 1 != 5 tasks/coverage/typescript/tests/cases/conformance/jsdoc/typedefMultipleTypeParameters.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxChildrenCanBeTupleType.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxChildrenProperty14.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxChildrenProperty16.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxGenericTagHasCorrectInferences.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxSubtleSkipContextSensitiveBug.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/checkJsxUnionSFXContextualTypeInferredCorrectly.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/commentEmittingInPreserveJsx1.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/correctlyMarkAliasAsReferences1.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/correctlyMarkAliasAsReferences2.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/correctlyMarkAliasAsReferences3.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/correctlyMarkAliasAsReferences4.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/inline/inlineJsxAndJsxFragPragma.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/inline/inlineJsxAndJsxFragPragmaOverridesCompilerOptions.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/inline/inlineJsxFactoryDeclarations.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/inline/inlineJsxFactoryDeclarationsLocalTypes.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/inline/inlineJsxFactoryLocalTypeGlobalFallback.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/inline/inlineJsxFactoryOverridesCompilerOption.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/inline/inlineJsxFactoryWithFragmentIsError.tsx tasks/coverage/typescript/tests/cases/conformance/jsx/jsxCheckJsxNoTypeArgumentsAllowed.tsx Unexpected estree file content error: 1 != 2 @@ -4541,53 +2412,21 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxParsin JSX expressions may not use the comma operator Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxReactTestSuite.tsx JSX expressions may not use the comma operator -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformChildren.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformCustomImport.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformCustomImportPragma.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformKeyProp.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformKeyPropCustomImport.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformKeyPropCustomImportPragma.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformNestedSelfClosingChild.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformSubstitutesNames.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/jsxs/jsxJsxsCjsTransformSubstitutesNamesFragment.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxAttributeResolution14.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxAttributeResolution15.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxAttributeResolution16.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxCorrectlyParseLessThanComparison1.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxElementResolution17.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxElementResolution19.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxFragmentPreserveEmit.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxFragmentReactEmit.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxGenericAttributesType9.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxLibraryManagedAttributes.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxOpeningClosingNames.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxPreserveEmit1.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxPreserveEmit3.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxReactEmit8.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxReactEmitEntities.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxReactEmitNesting.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution13.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution14.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution15.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution16.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadAttributesResolution17.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadChildren.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxSpreadChildrenInvalidType.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentOverload1.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentOverload5.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentOverload6.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponents3.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxStatelessFunctionComponentsWithTypeArguments5.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxTypeArgumentsJsxPreserveOutput.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxTypeErrors.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxUnionElementType1.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxUnionElementType2.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxUnionElementType3.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxUnionElementType4.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxUnionElementType5.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxUnionElementType6.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/jsx/tsxUnionTypeComponent1.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/moduleResolution/allowImportingTypesDtsExtension.ts tasks/coverage/typescript/tests/cases/conformance/moduleResolution/bundler/bundlerConditionsExcludesNode.ts Unexpected estree file content error: 3 != 5 @@ -4734,7 +2573,6 @@ Unexpected estree file content error: 2 != 5 tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesCJSResolvingToESM4_noPackageJson.ts Unexpected estree file content error: 2 != 5 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesCjsFormatFileAlwaysHasDefault.ts tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesConditionalPackageExports.ts Unexpected estree file content error: 2 != 6 @@ -4745,22 +2583,15 @@ tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesDeclarationEmi Unexpected estree file content error: 2 != 6 Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesDynamicImport.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesExportAssignments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesExportsBlocksSpecifierResolution.ts tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesExportsBlocksTypesVersions.ts Unexpected estree file content error: 2 != 5 tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesExportsDoubleAsterisk.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesExportsSourceTs.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesExportsSpecifierGenerationConditions.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesExportsSpecifierGenerationDirectory.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesExportsSpecifierGenerationPattern.ts tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesForbidenSyntax.ts Unexpected estree file content error: 4 != 12 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesGeneratedNameCollisions.ts tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportAssertions.ts Unexpected estree file content error: 1 != 2 @@ -4768,13 +2599,9 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImpo tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportAttributes.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportAttributesModeDeclarationEmitErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportAttributesTypeModeDeclarationEmit.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportHelpersCollisions.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportHelpersCollisions2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportHelpersCollisions3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportMeta.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportModeDeclarationEmitErrors1.ts tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesImportResolutionIntoExport.ts Unexpected estree file content error: 1 != 3 @@ -4804,21 +2631,6 @@ Unexpected estree file content error: 2 != 6 tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesResolveJsonModule.ts Unexpected estree file content error: 1 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesSynchronousCallErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTopLevelAwait.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeDeclarationEmit1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeDeclarationEmit2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeDeclarationEmit3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeDeclarationEmit4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeDeclarationEmit5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeDeclarationEmit6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeDeclarationEmit7.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeOverride1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeOverride2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeOverride3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeOverride4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeOverride5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTripleSlashReferenceModeOverrideOldResolutionError.ts tasks/coverage/typescript/tests/cases/conformance/node/nodeModulesTypesVersionPackageExports.ts Unexpected estree file content error: 5 != 9 @@ -4828,11 +2640,7 @@ Unexpected estree file content error: 1 != 3 tasks/coverage/typescript/tests/cases/conformance/node/nodePackageSelfNameScoped.ts Unexpected estree file content error: 1 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/nonjsExtensions/declarationFileForHtmlFileWithinDeclarationFile.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/nonjsExtensions/declarationFileForHtmlImport.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/override/override11.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/override/override19.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/override/override20.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/override/override5.ts override' modifier already seen. Mismatch: tasks/coverage/typescript/tests/cases/conformance/override/override6.ts @@ -4872,7 +2680,6 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ArrowFunctionExpressions/parserArrowFunctionExpression9.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ClassDeclarations/parserClass1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ClassDeclarations/parserClass2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ComputedPropertyNames/parserES5ComputedPropertyName6.ts Computed property names are not allowed in enums. @@ -4882,9 +2689,6 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmasc Expected a semicolon or an implicit semicolon after a statement, but found none Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ConstructorDeclarations/parserConstructorDeclaration9.ts Type parameters cannot appear on a constructor declaration -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnum1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnum2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnum3.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/EnumDeclarations/parserEnum7.ts An enum member cannot have a numeric name. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/ExtendsOrImplementsClauses/parserErrorRecovery_ExtendsOrImplementsClause2.ts @@ -4896,17 +2700,10 @@ Expected `{` but found `EOF` Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/IncompleteMemberVariables/parserErrorRecovery_IncompleteMemberVariable1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/VariableLists/parserErrorRecovery_VariableList1.ts Identifier expected. 'return' is a reserved word that cannot be used here. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/parserModifierOnStatementInBlock1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/parserModifierOnStatementInBlock3.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ErrorRecovery/parserStatementIsNotAMemberVariableDeclaration1.ts A 'return' statement can only be used within a function body. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ExportAssignments/parserExportAssignment1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ExportAssignments/parserExportAssignment2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ExportAssignments/parserExportAssignment7.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ExportAssignments/parserExportAssignment8.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Expressions/parserAssignmentExpression1.ts Cannot assign to this expression -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Fuzz/parser768531.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Generics/parserAmbiguityWithBinaryOperator1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Generics/parserAmbiguityWithBinaryOperator2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Generics/parserAmbiguityWithBinaryOperator3.ts @@ -4938,15 +2735,12 @@ Unexpected token Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/InterfaceDeclarations/parserInterfaceDeclaration1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/InterfaceDeclarations/parserInterfaceDeclaration6.ts 'export' modifier cannot be used here. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/InterfaceDeclarations/parserInterfaceDeclaration7.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/MemberAccessorDeclarations/parserMemberAccessorDeclaration10.ts Expected a semicolon or an implicit semicolon after a statement, but found none -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/MemberAccessorDeclarations/parserMemberAccessorDeclaration18.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/MemberFunctionDeclarations/parserMemberFunctionDeclaration4.ts Expected a semicolon or an implicit semicolon after a statement, but found none Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/MemberVariableDeclarations/parserMemberVariableDeclaration4.ts Expected a semicolon or an implicit semicolon after a statement, but found none -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ModuleDeclarations/parserModule1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ModuleDeclarations/parserModuleDeclaration12.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ModuleDeclarations/parserModuleDeclaration7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/ModuleDeclarations/parserModuleDeclaration8.ts @@ -4962,80 +2756,41 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmasc A rest parameter cannot be optional Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Protected/Protected9.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RealWorld/parserindenter.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parser509546.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parser509546_1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parser509546_2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parser509668.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parser509698.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegressionTests/parser618973.ts 'export' modifier cannot be used here. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/RegularExpressions/parserRegularExpressionDivideAmbiguity3.ts Unexpected flag a in regular expression literal -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/BreakStatements/parser_breakTarget1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/BreakStatements/parser_breakTarget2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/BreakStatements/parser_breakTarget3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/BreakStatements/parser_breakTarget4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/BreakStatements/parser_breakTarget5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/BreakStatements/parser_breakTarget6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ContinueStatements/parser_continueLabel.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ContinueStatements/parser_continueNotInIterationStatement4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ContinueStatements/parser_continueTarget1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ContinueStatements/parser_continueTarget2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ContinueStatements/parser_continueTarget3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ContinueStatements/parser_continueTarget4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ContinueStatements/parser_continueTarget5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ContinueStatements/parser_continueTarget6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/LabeledStatements/parser_duplicateLabel1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/LabeledStatements/parser_duplicateLabel2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/LabeledStatements/parser_duplicateLabel3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/LabeledStatements/parser_duplicateLabel4.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ReturnStatements/parserReturnStatement1.ts A 'return' statement can only be used within a function body. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/ReturnStatements/parserReturnStatement2.ts A 'return' statement can only be used within a function body. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserES5ForOfStatement12.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserES5ForOfStatement13.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserES5ForOfStatement16.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserForInStatement8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserForStatement5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserForStatement9.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserLabeledStatement1.d.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserReturnStatement1.d.ts A 'return' statement can only be used within a function body. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/Statements/parserWithStatement2.ts A 'return' statement can only be used within a function body. Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/SuperExpressions/parserSuperExpression1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/SuperExpressions/parserSuperExpression4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/VariableDeclarations/parserVariableDeclaration1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/VariableDeclarations/parserVariableDeclaration10.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/VariableDeclarations/parserVariableDeclaration5.ts Unexpected token -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parser10.1.1-8gs.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parser15.4.4.14-9-2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserArgumentList1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserAstSpans1.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserNotRegex1.ts A 'return' statement can only be used within a function body. Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserRealSource1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserRealSource12.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserRealSource13.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserRealSource14.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserRealSource2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserRealSource3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserRealSource5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserRealSource6.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserRealSource8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserS7.2_A1.5_T2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserS7.3_A1.1_T2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserS7.6.1.1_A1.10.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserS7.6_A4.2_T1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserSbp_7.9_A9_T3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserSyntaxWalker.generated.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserUnicode2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserUnicode3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript5/parserUsingConstructorAsIdentifier.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName16.ts Computed property names are not allowed in enums. Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName26.ts @@ -5046,24 +2801,11 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmasc Expected `]` but found `,` Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/ComputedPropertyNames/parserComputedPropertyName5.ts 'public' modifier cannot be used here. -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/Iterators/parserForOfStatement12.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/Iterators/parserForOfStatement13.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/Iterators/parserForOfStatement16.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/Iterators/parserForOfStatement22.ts The left-hand side of a `for...of` statement may not be `async` -Mismatch: tasks/coverage/typescript/tests/cases/conformance/parser/ecmascript6/Iterators/parserForOfStatement25.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/pedantic/noUncheckedIndexedAccessDestructuring.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-10.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-11.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-12.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-7.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/references/library-reference-scoped-packages.ts tasks/coverage/typescript/tests/cases/conformance/salsa/chainedPrototypeAssignment.ts Unexpected estree file content error: 1 != 3 @@ -5090,7 +2832,6 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/salsa/inferringClassMembersFromAssignments.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/salsa/inferringClassMembersFromAssignments8.ts tasks/coverage/typescript/tests/cases/conformance/salsa/inferringClassStaticMembersFromAssignments.ts Unexpected estree file content error: 1 != 3 @@ -5106,7 +2847,6 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/salsa/jsObjectsMarkedAsOpenEnded.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/salsa/mixedPropertyElementAccessAssignmentDeclaration.ts tasks/coverage/typescript/tests/cases/conformance/salsa/moduleExportAlias.ts Unexpected estree file content error: 1 != 2 @@ -5128,8 +2868,6 @@ Unexpected estree file content error: 1 != 3 tasks/coverage/typescript/tests/cases/conformance/salsa/moduleExportWithExportPropertyAssignment4.ts Unexpected estree file content error: 1 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/salsa/propertyAssignmentUseParentType1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/salsa/propertyAssignmentUseParentType3.ts tasks/coverage/typescript/tests/cases/conformance/salsa/prototypePropertyAssignmentMergeWithInterfaceMethod.ts Unexpected estree file content error: 1 != 2 @@ -5139,7 +2877,6 @@ Unexpected estree file content error: 1 != 2 tasks/coverage/typescript/tests/cases/conformance/salsa/requireAssertsFromTypescript.ts Unexpected estree file content error: 2 != 3 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/salsa/sourceFileMergeWithFunction.ts tasks/coverage/typescript/tests/cases/conformance/salsa/typeFromParamTagForFunction.ts Unexpected estree file content error: 1 != 14 @@ -5152,98 +2889,30 @@ Unexpected estree file content error: 1 != 3 tasks/coverage/typescript/tests/cases/conformance/salsa/varRequireFromTypescript.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scanner10.1.1-8gs.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannerClass2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannerEnum1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannerNonAsciiHorizontalWhitespace.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannerS7.2_A1.5_T2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannerS7.3_A1.1_T2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannerS7.6_A4.2_T1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/scanner/ecmascript5/scannertest1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/recursiveInitializer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.10.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarations.9.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsInForAwaitOf.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsInForOf.4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsTopLevelOfModule.1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/awaitUsingDeclarationsWithImportHelpers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarations.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarations.11.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarations.15.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsDeclarationEmit.1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsDeclarationEmit.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsNamedEvaluationDecoratorsAndClassFields.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsTopLevelOfModule.1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsTopLevelOfModule.2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsTopLevelOfModule.3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.10.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.11.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.12.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithESClassDecorators.9.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithImportHelpers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.10.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.11.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.12.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.8.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithLegacyClassDecorators.9.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithObjectLiterals1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/usingDeclarations/usingDeclarationsWithObjectLiterals2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/VariableStatements/validMultipleVariableDeclarations.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/doWhileBreakStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/forBreakStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/forInBreakStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/invalidDoWhileBreakStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/invalidForBreakStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/invalidForInBreakStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/invalidSwitchBreakStatement.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/invalidWhileBreakStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/switchBreakStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/breakStatements/whileBreakStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/doWhileContinueStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/forContinueStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/forInContinueStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/invalidDoWhileContinueStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/invalidForContinueStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/invalidForInContinueStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/invalidSwitchContinueStatement.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/invalidWhileContinueStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/continueStatements/whileContinueStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-await-ofStatements/emitter.forAwait.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-await-ofStatements/forAwaitPerIterationBindingDownlevel.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-inStatements/for-inStatementsDestructuring2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-inStatements/for-inStatementsDestructuring3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-inStatements/for-inStatementsDestructuring4.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of12.ts Unexpected token Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of20.ts Missing initializer in const declaration -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of27.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of29.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of30.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of31.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of35.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-of37.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/for-ofStatements/ES5For-ofTypeCheck10.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/forStatements/forStatementsMultipleValidDecl.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/labeledStatements/labeledStatementDeclarationListInLoopNoCrash2.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/statements/labeledStatements/labeledStatementExportDeclarationNoCrash1.ts Missing initializer in const declaration Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/statements/labeledStatements/labeledStatementWithLabel.ts @@ -5252,59 +2921,26 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/statements/la Generators can only be declared at the top level or inside a block Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/statements/labeledStatements/labeledStatementWithLabel_strict.ts Generators can only be declared at the top level or inside a block -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/returnStatements/invalidReturnStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/returnStatements/returnStatementNoAsiAfterTransform.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/returnStatements/returnStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/throwStatements/throwStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/statements/tryStatements/catchClauseWithTypeAnnotation.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/any/anyAsConstructor.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/any/anyAsFunctionCall.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/any/anyAsGenericFunctionCall.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/any/assignAnyToEveryType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/any/assignEveryTypeToAny.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/asyncGenerators/types.asyncGenerators.es2018.1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/conditionalTypes1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/conditionalTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/inferTypes1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/inferTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/inferTypesWithExtends1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/inferTypesWithExtends2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/inferTypesWithExtendsDependingOnTypeVariables.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/conditional/variance.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/asyncFunctions/contextuallyTypeAsyncFunctionReturnType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/jsxAttributes/contextuallyTypedStringLiteralsInJsxAttributes01.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/jsxAttributes/contextuallyTypedStringLiteralsInJsxAttributes02.tsx -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/methodDeclarations/contextuallyTypedBindingInitializer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/methodDeclarations/contextuallyTypedBindingInitializerNegative.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/partiallyAnnotatedFunction/partiallyAnnotatedFunctionInferenceWithTypeParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/contextualTypes/partiallyAnnotatedFunction/partiallyAnnotatedFunctionWitoutTypeParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeAmbient.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeAmbientMissing.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeAmdBundleRewrite.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeGeneric.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeGenericTypes.ts tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeInJSDoc.ts Unexpected estree file content error: 1 != 2 -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeLocal.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeLocalMissing.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeNested.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeNestedNoRef.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/import/importTypeNonString.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/import/importWithTypeArguments.ts Expected `from` but found `<` Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionAndUnionTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionAsWeakTypeSource.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionMemberOfUnionNarrowsCorrectly.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionNarrowing.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionOfUnionOfUnitTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionReduction.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionReductionStrict.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionTypeEquivalence.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionTypeInference2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionTypeInference3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionTypeMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionTypeOverloading.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionWithIndexSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionWithUnionConstraint.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/intersection/intersectionsAndEmptyObjects.ts @@ -5314,14 +2950,10 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/keyof/keyofAnd Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/keyof/keyofAndIndexedAccess2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/keyof/keyofAndIndexedAccessErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/literalTypeWidening.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/literalTypes2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/literalTypesAndDestructuring.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/literalTypesAndTypeAssertions.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/literalTypesWidenInParameterPosition.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/numericStringLiteralTypes.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsAssertionsInEqualityComparisons01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsAssertionsInEqualityComparisons02.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsAssignedToStringMappings.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsWithEqualityChecks01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsWithEqualityChecks02.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsWithEqualityChecks03.ts @@ -5331,19 +2963,8 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/string Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsWithSwitchStatements03.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsWithSwitchStatements04.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringLiteralsWithTypeAssertions01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringMappingDeferralInConditionalTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringMappingOverPatternLiterals.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/stringMappingReduction.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes7.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypes8.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypesPatterns.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/literal/templateLiteralTypesPatternsPrefixSuffixAssignability.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/localTypes/localTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/localTypes/localTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/isomorphicMappedTypeInference.ts @@ -5367,51 +2988,11 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedT Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypesAndObjects.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypesArraysTuples.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypesGenericTuples.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/mappedTypesGenericTuples2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/mapped/recursiveMappedTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/classWithPrivateProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/classWithProtectedProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/duplicateNumericIndexers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/duplicatePropertyNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/duplicateStringIndexers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/indexSignatures1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeHidingMembersOfObject.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypePropertyAccess.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithCallSignatureAppearsToBeFunctionType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithCallSignatureHidingMembersOfExtendedFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithCallSignatureHidingMembersOfFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithConstructSignatureAppearsToBeFunctionType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithConstructSignatureHidingMembersOfExtendedFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithConstructSignatureHidingMembersOfFunction.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithDuplicateNumericProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithNumericProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithStringAndNumberIndexSignatureToAny.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/objectTypeWithStringIndexerHidingObjectIndexer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/typesWithOptionalProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/typesWithPublicConstructor.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/typesWithSpecializedCallSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/members/typesWithSpecializedConstructSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/namedTypes/classWithOnlyPublicMembersEquivalentToInterface.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/namedTypes/classWithOnlyPublicMembersEquivalentToInterface2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/namedTypes/classWithOptionalParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/namedTypes/optionalMethods.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveAccessProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveAndEmptyObject.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveAndTypeVariables.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/nonPrimitive/nonPrimitiveConstraintOfIndexAccessType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignatureWithOptionalParameterAndInitializer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignatureWithoutAnnotationsOrBody.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignatureWithoutReturnTypeAnnotationInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignaturesThatDifferOnlyByReturnType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignaturesThatDifferOnlyByReturnType2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignaturesThatDifferOnlyByReturnType3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignaturesWithDuplicateParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignaturesWithOptionalParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignaturesWithOptionalParameters2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/callSignaturesWithParameterInitializers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/identicalCallSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/identicalCallSignatures2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/identicalCallSignatures3.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/restParameterWithoutAnnotationIsAnyArray.ts A rest parameter must be last in a parameter list Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/restParametersOfNonArrayTypes.ts @@ -5420,37 +3001,8 @@ Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/objectT A rest parameter must be last in a parameter list Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/restParametersWithArrayTypeAnnotations.ts A rest parameter must be last in a parameter list -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/specializedSignatureIsSubtypeOfNonSpecializedSignature.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/stringLiteralTypesInImplementationSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/stringLiteralTypesInImplementationSignatures2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/typeParameterAsTypeArgument.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/typeParameterUsedAsTypeParameterConstraint.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/typeParameterUsedAsTypeParameterConstraint2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/typeParameterUsedAsTypeParameterConstraint3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/callSignatures/typeParameterUsedAsTypeParameterConstraint4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/constructSignatures/constructSignaturesWithIdenticalOverloads.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/constructSignatures/constructSignaturesWithOverloads.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/constructSignatures/constructSignaturesWithOverloads2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/constructSignatures/constructSignaturesWithOverloadsThatDifferOnlyByReturnType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/multipleNumericIndexers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/multipleStringIndexers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/numericIndexerConstrainsPropertyDeclarations.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/numericIndexerConstrainsPropertyDeclarations2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/stringIndexerConstrainsPropertyDeclarations.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/indexSignatures/stringIndexerConstrainsPropertyDeclarations2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/methodSignatures/functionLiterals.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/methodSignatures/methodSignaturesWithOverloads.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/methodSignatures/methodSignaturesWithOverloads2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/objectTypeLiteral/propertySignatures/numericStringNamedPropertyEquivalence.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/primitives/string/assignFromStringInterface2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/genericObjectRest.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/genericRestArity.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/genericRestArityStrict.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/genericRestParameters1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/genericRestParameters2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/genericRestParameters3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/objectRest.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/objectRest2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/objectRestAssignment.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/objectRestCatchES5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/objectRestForOf.ts @@ -5463,43 +3015,16 @@ A rest element must be last in a destructuring pattern Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/objectRestReadonly.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/rest/restElementMustBeLast.ts A rest element must be last in a destructuring pattern -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/rest/restTuplesFromContextualTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/predefinedTypes/objectTypesWithPredefinedTypesAsName.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/arrayLiteral.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/arrayOfFunctionTypes3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/arrayTypeOfFunctionTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/arrayTypeOfFunctionTypes2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/arrayTypeOfTypeOf.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/functionLiteral.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/functionLiteralForOverloads.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/functionLiteralForOverloads2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeLiterals/unionTypeLiterals.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeQueries/recursiveTypesWithTypeof.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeQueries/typeQueryOnClass.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeQueries/typeofANonExportedType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeQueries/typeofAnExportedType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeQueries/typeofThis.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeQueries/typeofThisWithImplicitThis.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeReferences/genericTypeReferenceWithoutTypeArgument.d.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeReferences/genericTypeReferenceWithoutTypeArgument.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeReferences/genericTypeReferenceWithoutTypeArgument2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeReferences/genericTypeReferenceWithoutTypeArgument3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/specifyingTypes/typeReferences/nonGenericTypeReferenceWithTypeArguments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadComputedProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/objectSpreadNoTransform.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadContextualTypedBindingPattern.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadDuplicate.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadDuplicateExact.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadNonObject1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadObjectOrFalsy.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/spread/spreadOverwritesProperty.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralCheckedInIf01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralCheckedInIf02.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralMatchedInSwitch01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypeAssertion01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAndLogicalOrExpressions01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAndParenthesizedExpressions01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAndTuples01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAsTags02.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAsTypeParameterConstraint01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesAsTypeParameterConstraint02.ts @@ -5517,7 +3042,6 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesWithTemplateStrings02.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesWithVariousOperators01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/stringLiteralTypesWithVariousOperators02.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/stringLiteral/typeArgumentsWithStringLiteralTypes01.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/inferThisType.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/looseThisTypeInFunctions.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeErrors2.ts @@ -5525,298 +3049,57 @@ Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisT Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInFunctions2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInFunctions4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInObjectLiterals2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInTaggedTemplateCall.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeInTypePredicate.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeOptionalCall.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/thisTypeSyntacticContext.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/thisType/unionThisTypeInFunctions.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/castingTuple.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/contextualTypeTupleEnd.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/contextualTypeWithTuple.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/indexerWithTuple.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/named/namedTupleMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/named/namedTupleMembersErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/named/partiallyNamedTuples.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/named/partiallyNamedTuples2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/named/partiallyNamedTuples3.ts Expect to Parse: tasks/coverage/typescript/tests/cases/conformance/types/tuple/readonlyArraysAndTuples.ts 'readonly' type modifier is only permitted on array and tuple literal types. Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/restTupleElements1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/unionsOfTupleTypes1.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/variadicTuples1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/variadicTuples2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/tuple/variadicTuples3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeAliases/directDependenceBetweenTypeAliases.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeAliases/intrinsicTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeAliases/typeAliases.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeAliases/typeAliasesDoNotMerge.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/callGenericFunctionWithIncorrectNumberOfTypeArguments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/callGenericFunctionWithZeroTypeArguments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/callNonGenericFunctionWithTypeArguments.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/constraintSatisfactionWithAny.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/constraintSatisfactionWithAny2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/constraintSatisfactionWithEmptyObject.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/functionConstraintSatisfaction.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/functionConstraintSatisfaction2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/functionConstraintSatisfaction3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/instantiateGenericClassWithWrongNumberOfTypeArguments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/instantiateGenericClassWithZeroTypeArguments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/instantiateNonGenericTypeWithTypeArguments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/instantiationExpressions.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/typeParameterAsTypeParameterConstraint.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/typeParameterAsTypeParameterConstraint2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/typeParameterAsTypeParameterConstraintTransitively.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/typeParameterAsTypeParameterConstraintTransitively2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/wrappedAndRecursiveConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeArgumentLists/wrappedAndRecursiveConstraints3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterAsBaseType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/innerTypeParameterShadowingOuterOne.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/innerTypeParameterShadowingOuterOne2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/propertyAccessOnTypeParameterWithConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/propertyAccessOnTypeParameterWithConstraints2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/propertyAccessOnTypeParameterWithConstraints3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/staticMembersUsingClassTypeParameter.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/typeParameterConstModifiers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/typeParameterConstModifiersReverseMappedTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/typeParameterConstModifiersWithIntersection.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeParameters/typeParameterLists/typeParameterDirectlyConstrainedToItself.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/apparentType/apparentTypeSubtyping.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/apparentType/apparentTypeSupertype.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/anyAssignabilityInInheritance.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/anyAssignableToEveryType2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatBetweenTupleAndArray.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignatures2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignatures3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignatures4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignatures5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignatures6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignaturesWithOptionalParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithCallSignaturesWithRestParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithConstructSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithConstructSignatures2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithConstructSignatures3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithConstructSignatures4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithConstructSignatures5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithConstructSignatures6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithConstructSignaturesWithOptionalParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithDiscriminatedUnion.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithGenericCallSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithGenericCallSignatures2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithGenericCallSignatures3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithGenericCallSignatures4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithGenericCallSignaturesWithOptionalParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithNumericIndexer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithNumericIndexer2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithNumericIndexer3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembers2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembers3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembers4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembersAccessibility.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembersNumericNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembersOptionality.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembersOptionality2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithObjectMembersStringNumericNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithStringIndexer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithStringIndexer2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/assignmentCompatWithStringIndexer3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/callSignatureAssignabilityInInheritance2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/callSignatureAssignabilityInInheritance3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/callSignatureAssignabilityInInheritance4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/callSignatureAssignabilityInInheritance5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/callSignatureAssignabilityInInheritance6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/constructSignatureAssignabilityInInheritance.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/constructSignatureAssignabilityInInheritance2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/constructSignatureAssignabilityInInheritance3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/constructSignatureAssignabilityInInheritance4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/constructSignatureAssignabilityInInheritance5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/constructSignatureAssignabilityInInheritance6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/covariantCallbacks.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/enumAssignability.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/enumAssignabilityInInheritance.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/genericCallWithObjectTypeArgsAndInitializers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/intersectionIncludingPropFromGlobalAugmentation.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/typeParameterAssignability.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/typeParameterAssignability2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/typeParameterAssignability3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/assignmentCompatibility/unionTypesAssignability.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/arrayLiteralWithMultipleBestCommonTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/bestCommonTypeOfConditionalExpressions.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/bestCommonTypeOfConditionalExpressions2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/bestCommonTypeOfTuple.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/bestCommonTypeOfTuple2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/functionWithMultipleReturnStatements.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/functionWithMultipleReturnStatements2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/bestCommonType/heterogeneousArrayLiterals.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/equalityWithEnumTypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/comparable/independentPropertyVariance.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/instanceOf/narrowingConstrainedTypeVariable.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/instanceOf/narrowingGenericTypeFromInstanceof01.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/recursiveTypes/infiniteExpansionThroughInstantiation.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/recursiveTypes/infiniteExpansionThroughInstantiation2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/recursiveTypes/objectTypeWithRecursiveWrappedProperty.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/recursiveTypes/objectTypeWithRecursiveWrappedProperty2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/recursiveTypes/objectTypeWithRecursiveWrappedPropertyCheckedNominally.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/recursiveTypes/recursiveTypeReferences1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/enumIsNotASubtypeOfAnythingButNumber.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/nullIsSubtypeOfEverythingButUndefined.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/stringLiteralTypeIsSubtypeOfString.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfAny.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfTypeParameter.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfTypeParameterWithConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfTypeParameterWithConstraints2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfTypeParameterWithConstraints3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfTypeParameterWithConstraints4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypesOfTypeParameterWithRecursiveConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithCallSignatures2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithCallSignatures3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithCallSignatures4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithCallSignaturesWithOptionalParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithCallSignaturesWithRestParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithCallSignaturesWithSpecializedSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithConstructSignatures2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithConstructSignatures3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithConstructSignatures4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithConstructSignatures5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithConstructSignatures6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithConstructSignaturesWithOptionalParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithConstructSignaturesWithSpecializedSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithGenericCallSignaturesWithOptionalParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithGenericConstructSignaturesWithOptionalParameters.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithNumericIndexer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithNumericIndexer2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithNumericIndexer3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithNumericIndexer4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithNumericIndexer5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithObjectMembers4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithObjectMembersAccessibility.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithObjectMembersAccessibility2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithObjectMembersOptionality.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithObjectMembersOptionality2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithObjectMembersOptionality3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithObjectMembersOptionality4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithOptionalProperties.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithStringIndexer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithStringIndexer2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithStringIndexer3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/subtypingWithStringIndexer4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/subtypesAndSuperTypes/undefinedIsSubtypeOfEverything.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentity.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentity2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithCallSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithCallSignatures2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithCallSignatures3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithCallSignaturesDifferingParamCounts.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithCallSignaturesDifferingParamCounts2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithCallSignaturesWithOverloads.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithConstructSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithConstructSignatures2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithConstructSignaturesDifferingParamCounts.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignatures.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignatures2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesDifferingByConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesDifferingByConstraints2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesDifferingByConstraints3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesDifferingByReturnType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesDifferingByReturnType2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesDifferingTypeParameterCounts.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesDifferingTypeParameterCounts2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesDifferingTypeParameterNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesOptionalParams.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesOptionalParams2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericCallSignaturesOptionalParams3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesDifferingByConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesDifferingByConstraints2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesDifferingByConstraints3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesDifferingByReturnType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesDifferingByReturnType2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesDifferingTypeParameterCounts.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesDifferingTypeParameterNames.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesOptionalParams.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesOptionalParams2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithGenericConstructSignaturesOptionalParams3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithNumericIndexers1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithNumericIndexers2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithNumericIndexers3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithOptionality.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithPrivates.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithPrivates2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithPrivates3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithPublics.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithStringIndexers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/objectTypesIdentityWithStringIndexers2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/primtiveTypesAreIdentical.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/typeParametersAreIdenticalToThemselves.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeAndMemberIdentity/unionTypeIdentity.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/bivariantInferences.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/contextualSignatureInstantiation.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/discriminatedUnionInference.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallTypeArgumentInference.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithConstraintsTypeArgumentInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithConstraintsTypeArgumentInference2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithConstructorTypedArguments5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithFunctionTypedArguments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithFunctionTypedArguments2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithFunctionTypedArguments3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithFunctionTypedArguments4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithFunctionTypedArguments5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithGenericSignatureArguments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithGenericSignatureArguments2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithGenericSignatureArguments3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithNonSymmetricSubtypes.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndConstraints.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndConstraints2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndConstraints3.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndConstraints4.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndConstraints5.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndIndexers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndIndexersErrors.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndNumericIndexer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithObjectTypeArgsAndStringIndexer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithOverloadedConstructorTypedArguments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithOverloadedConstructorTypedArguments2.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithOverloadedFunctionTypedArguments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithOverloadedFunctionTypedArguments2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericCallWithTupleType.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericClassWithFunctionTypedMemberArguments.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericClassWithObjectTypeArgsAndConstraints.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericContextualTypes2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/genericContextualTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/intraExpressionInferences.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/intraExpressionInferencesJsx.tsx Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/keyofInferenceLowerPriorityThanReturn.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/noInfer.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/unionAndIntersectionInference1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/unionAndIntersectionInference3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/typeInference/unionTypeInference.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/widenedTypes/arrayLiteralWidened.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/widenedTypes/initializersWidened.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/typeRelationships/widenedTypes/objectLiteralWidened.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/contextualTypeWithUnionTypeCallSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/contextualTypeWithUnionTypeIndexSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/contextualTypeWithUnionTypeMembers.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/contextualTypeWithUnionTypeObjectLiteral.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/discriminatedUnionTypes3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeCallSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeCallSignatures2.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeCallSignatures3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeCallSignatures4.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeCallSignatures5.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeCallSignatures6.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeCallSignatures7.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeConstructSignatures.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeEquivalence.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeFromArrayLiteral.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeIndexSignature.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/union/unionTypeMembers.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/uniqueSymbol/uniqueSymbols.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/uniqueSymbol/uniqueSymbolsDeclarations.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/uniqueSymbol/uniqueSymbolsDeclarationsErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/uniqueSymbol/uniqueSymbolsErrors.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/uniqueSymbol/uniqueSymbolsPropertyNames.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/unknown/unknownType1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/types/witness/witness.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/typings/typingsLookup1.ts -Mismatch: tasks/coverage/typescript/tests/cases/conformance/typings/typingsLookup3.ts Mismatch: tasks/coverage/typescript/tests/cases/conformance/typings/typingsLookupAmd.ts From fa97b6cea1720a292d7d568b929eeea47f6759e8 Mon Sep 17 00:00:00 2001 From: overlookmotel Date: Wed, 9 Apr 2025 12:32:12 +0100 Subject: [PATCH 11/11] Update minsize.snap --- tasks/minsize/minsize.snap | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/tasks/minsize/minsize.snap b/tasks/minsize/minsize.snap index 6be7c45c66187..363e182e72dfd 100644 --- a/tasks/minsize/minsize.snap +++ b/tasks/minsize/minsize.snap @@ -7,21 +7,21 @@ Original | minified | minified | gzip | gzip | Fixture 287.63 kB | 89.33 kB | 90.07 kB | 30.95 kB | 31.95 kB | jquery.js -342.15 kB | 117.25 kB | 118.14 kB | 43.31 kB | 44.37 kB | vue.js +342.15 kB | 117.25 kB | 118.14 kB | 43.29 kB | 44.37 kB | vue.js 544.10 kB | 71.38 kB | 72.48 kB | 25.85 kB | 26.20 kB | lodash.js -555.77 kB | 270.84 kB | 270.13 kB | 88.26 kB | 90.80 kB | d3.js +555.77 kB | 270.83 kB | 270.13 kB | 88.25 kB | 90.80 kB | d3.js -1.01 MB | 440.17 kB | 458.89 kB | 122.38 kB | 126.71 kB | bundle.min.js +1.01 MB | 440.17 kB | 458.89 kB | 122.37 kB | 126.71 kB | bundle.min.js 1.25 MB | 647.00 kB | 646.76 kB | 160.28 kB | 163.73 kB | three.js -2.14 MB | 716.14 kB | 724.14 kB | 161.79 kB | 181.07 kB | victory.js +2.14 MB | 716.13 kB | 724.14 kB | 161.80 kB | 181.07 kB | victory.js -3.20 MB | 1.01 MB | 1.01 MB | 324.14 kB | 331.56 kB | echarts.js +3.20 MB | 1.01 MB | 1.01 MB | 324.12 kB | 331.56 kB | echarts.js -6.69 MB | 2.28 MB | 2.31 MB | 466.12 kB | 488.28 kB | antd.js +6.69 MB | 2.28 MB | 2.31 MB | 466.11 kB | 488.28 kB | antd.js -10.95 MB | 3.35 MB | 3.49 MB | 860.95 kB | 915.50 kB | typescript.js +10.95 MB | 3.35 MB | 3.49 MB | 860.93 kB | 915.50 kB | typescript.js