TypeScript 断言用于告诉编译器「你比它更了解类型」,让编译器信任开发者的判断。
1. 类型断言 (Type Assertions) 基本语法 1 2 3 4 5 6 7 let  someValue : any  = "this is a string" ;let  strLength : number  = (<string >someValue).length ;let  strLengthAs : number  = (someValue as  string ).length ;
常见使用场景 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 let  unknownValue : any  = "hello world" ;let  str1 : string  = (<string >unknownValue);let  str2 : string  = (unknownValue as  string );interface  Cat  {  name : string ;   meow (): void ; } interface  Dog  {  name : string ;   bark (): void ; } function  getPet (Cat  | Dog  {  return  { name : "Buddy" , meow : () =>  console .log ("meow" ) } as  Cat ; } let  pet = getPet ();(pet as  Cat ).meow ();  class  Animal  {  constructor (public  name: string  } class  Bird  extends  Animal  {  fly (     console .log (`${this .name}  is flying` );   } } let  animal : Animal  = new  Bird ("Sparrow" );(animal as  Bird ).fly ();  
2. 非空断言 (Non-null Assertion) 使用 ! 运算符断言值不为 null 或 undefined。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 function  liveDangerously (x?: number  | null  ) {     console .log (x!.toFixed ()); } interface  User  {  name : string ;   address?: {     street : string ;     city : string ;   }; } let  user : User  = { name : "John"  };console .log (user.address !.city ); let  array : number [] = [1 , 2 , 3 ];let  firstElement = array[0 ]!; let  city = user.address ?.city !; 
3. 常量断言 (Const Assertions) 使用 as const 将类型收窄为最具体的字面量类型。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 let  x = "hello"  as  const ; let  y = 42  as  const ; let  z = true  as  const ; let  array = [1 , 2 , 3 ] as  const ; const  user = {  name : "Alice" ,   age : 30 ,   hobbies : ["reading" , "swimming" ] } as  const ; function  getConfig (  return  {     host : "localhost" ,     port : 8080 ,     ssl : true    } as  const ; } const  config = getConfig ();
4. 断言函数 (Assertion Functions) 用于在运行时验证条件,并在类型层面反映验证结果。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 function  assert (condition: any , msg?: string  ): asserts condition {  if  (!condition) {     throw  new  Error (msg);   } } function  processValue (value: number  | string  ) {  assert (typeof  value === "number" , "Value must be a number" );      return  value.toFixed (2 ); } function  isString (value: any  ): value is string  {  return  typeof  value === "string" ; } function  assertIsString (value: any  ): asserts value is string  {  if  (!isString (value)) {     throw  new  Error ("Value must be a string" );   } } function  example (x: number  | string  ) {  assertIsString (x);      return  x.toUpperCase (); } interface  Cat  {  meow (): void ; } interface  Dog  {  bark (): void ; } function  isCat (pet: Cat | Dog ): pet is Cat  {  return  (pet as  Cat ).meow  !== undefined ; } function  assertIsCat (pet: Cat | Dog ): asserts pet is Cat  {  if  (!isCat (pet)) {     throw  new  Error ("Pet is not a cat" );   } } 
5. 双重断言 (Double Assertion) 当两种类型没有直接关系时,可以先断言为 any 或 unknown。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 interface  ButtonProps  {  onClick : () =>  void ;   children : string ; } interface  DivProps  {  className : string ;   children : React .ReactNode ; } let  buttonProps : ButtonProps  = {  onClick : () =>  console .log ("clicked" ),   children : "Click me"  }; let  divProps : DivProps  = buttonProps as  any  as  DivProps ;let  saferDivProps : DivProps  = buttonProps as  unknown  as  DivProps ;function  handleEvent (event: Event ) {     const  mouseEvent = event as  unknown  as  MouseEvent ;   console .log (mouseEvent.clientX , mouseEvent.clientY ); } 
6. 实际应用示例 示例 1: DOM 操作 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 const  input = document .getElementById ("myInput" ) as  HTMLInputElement ;input.value  = "Hello" ;  const  button = document .querySelector (".submit-btn" ) as  HTMLButtonElement ;button.addEventListener ("click" , (e: Event ) =>  {   const  mouseEvent = e as  MouseEvent ;   console .log (`Clicked at: ${mouseEvent.clientX} , ${mouseEvent.clientY} ` ); }); const  form = document .getElementById ("myForm" )!; form.addEventListener ("submit" , handleSubmit); 
示例 2: API 响应处理 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 interface  ApiResponse <T> {  data : T;   status : "success"  | "error" ;   message?: string ; } interface  User  {  id : number ;   name : string ;   email : string ; } async  function  fetchUser (userId: number  ): Promise <User > {  const  response = await  fetch (`/api/users/${userId} ` );   const  result = await  response.json () as  ApiResponse <User >;      if  (result.status  === "success" ) {     return  result.data ;   } else  {     throw  new  Error (result.message );   } } const  API_CONFIG  = {  baseUrl : "https://api.example.com" ,   timeout : 5000 ,   retries : 3  } as  const ; 
示例 3: 状态管理 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 type  AppState  = {  user : {     id : number ;     name : string ;     email : string ;   } | null ;   loading : boolean ;   error : string  | null ; }; function  updateUserProfile (state: AppState, updates: Partial<AppState["user" ]> ) {     const  currentUser = state.user !;   return  {     ...state,     user : {       ...currentUser,       ...updates     }   }; } function  validateUser (user: any  ): user is AppState ["user" ] {  return  user &&           typeof  user.id  === "number"  &&           typeof  user.name  === "string"  &&           typeof  user.email  === "string" ; } function  setUser (state: AppState, userData: any  ) {  if  (validateUser (userData)) {     state.user  = userData;   } else  {     throw  new  Error ("Invalid user data" );   } } 
7. 最佳实践和注意事项 应该使用断言的情况: 
DOM 操作 :确定元素类型时API 响应 :处理已知结构的数据时测试代码 :模拟特定场景时迁移代码 :从 JavaScript 迁移时 
应该避免的情况: 1 2 3 4 5 6 7 8 9 10 11 12 13 let  value : string  = "hello" ;let  numberValue = value as  any  as  number ; function  safeConvert (str: string  ): number  {  const  num = Number (str);   if  (isNaN (num)) {     throw  new  Error ("Invalid number" );   }   return  num; } 
断言 vs 类型守卫: 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 function  isNumber (value: any  ): value is number  {  return  typeof  value === "number" ; } function  process (value: string  | number  ) {  if  (isNumber (value)) {          return  value.toFixed (2 );   } else  {          return  value.toUpperCase ();   } } function  processWithAssert (value: string  | number  ) {     return  (value as  number ).toFixed (2 ); } 
总结 :断言是 TypeScript 中的强大工具,但应该谨慎使用。优先考虑类型守卫和正确的类型设计,只在确实比编译器更了解类型的情况下使用断言。