Sign Up

Sign Up to our social questions and Answers Engine to ask questions, answer people’s questions, and connect with other people.

Have an account? Sign In

Have an account? Sign In Now

Sign In

Login to our social questions & Answers Engine to ask questions answer people’s questions & connect with other people.

Sign Up Here

Forgot Password?

Don't have account, Sign Up Here

Forgot Password

Lost your password? Please enter your email address. You will receive a link and will create a new password via email.

Have an account? Sign In Now

Sorry, you do not have permission to ask a question, You must login to ask a question.

Forgot Password?

Need An Account, Sign Up Here

Please type your username.

Please type your E-Mail.

Please choose an appropriate title for the post.

Please choose the appropriate section so your post can be easily searched.

Please choose suitable Keywords Ex: post, video.

Browse

Need An Account, Sign Up Here

Please briefly explain why you feel this question should be reported.

Please briefly explain why you feel this answer should be reported.

Please briefly explain why you feel this user should be reported.

Sign InSign Up

Querify Question Shop: Explore Expert Solutions and Unique Q&A Merchandise

Querify Question Shop: Explore Expert Solutions and Unique Q&A Merchandise Logo Querify Question Shop: Explore Expert Solutions and Unique Q&A Merchandise Logo

Querify Question Shop: Explore Expert Solutions and Unique Q&A Merchandise Navigation

  • Home
  • About Us
  • Contact Us
Search
Ask A Question

Mobile menu

Close
Ask a Question
  • Home
  • About Us
  • Contact Us
Home/ Questions/Q 7927

Querify Question Shop: Explore Expert Solutions and Unique Q&A Merchandise Latest Questions

Author
  • 60k
Author
Asked: November 28, 20242024-11-28T08:23:08+00:00 2024-11-28T08:23:08+00:00

Talk about the type never and unknown in TypeScript

  • 60k

typescript cover

Recently, during an interview, I was asked about TypeScript knowledge, and one of the questions was: When should we use never and unknown in TypeScript?

I felt I didn't answer well, so I revisited the relevant knowledge to share. This article is not a general introduction to TypeScript types, so don't rush; just take it step by step.

A Brief Discussion on TypeScript Types

First, we need to understand what TypeScript types are.

Simply put, the string type is the type set of string variables in TypeScript. Similarly, number is the type set of numeric variables. When we write the following code:

const stringOrNumber: string | number = '1';     
Enter fullscreen mode Exit fullscreen mode

The union type string | number is born, which is the union of the string type set and the number type set.

In TypeScript, we can assign variables of string type or number type to stringOrNumber. Besides these, what other types of variables can we assign to stringOrNumber?

The answer is:

  • never
  • any

😁 We don't talk about the any type, at least not before resigning, and we don't use the any type in projects.

The never type is an empty set, located at the innermost layer of the type system.

When we define a variable's type as unknown, we actually need a value of an unknown type. For example:

let foo: unknown; foo = stringOrNumber; // ok  function demo(param: unknown) {   // ...   if(typeof param === 'string') {     // ...   } } demo(stringOrNumber); // ok 
Enter fullscreen mode Exit fullscreen mode

unknown is the superset of all type sets, while never is the subset of all types (bottom type).

A Brief Analysis of the never Type

Let's look at some code before discussing further:

function asyncTimeout(ms: number): Promise<never> {   return new Promise((_, reject) => {     setTimeout(() => reject(new Error(`Async Timeout: ${ms}`)), ms)   }) } 
Enter fullscreen mode Exit fullscreen mode

The above code is an asynchronous timeout function, with a return type of Promise<never>. Let's continue to implement a request function that supports timeout:

function fetchData(): Promise<{ price: number }> {   return new Promise((resolve) => {     setTimeout(() => {       resolve({ price: 100 });     }, Math.random() * 5000);   }); }  async function fetchPriceWithTimeout(tickerSymbol: string): Promise<number> {   const stock = await Promise.race([     fetchData(), // returns `Promise<{ price: number }>`     asyncTimeout(3000), // returns `Promise<never>`   ]);   // stock is now of type `{ price: number }`   return stock.price; } 
Enter fullscreen mode Exit fullscreen mode

Promise.race is a static method of the Promise object in JavaScript, used to handle multiple Promise instances and return a new Promise instance. This new Promise instance will complete or reject when the first input Promise instance completes or rejects.

fetchData is a simulated data request function, which could be an API request in actual development. The TypeScript compiler views the return type of the race function as Promise<{price: number}> | Promise<never>, so the type of stock is {price: number}. This is an example of using the never type.

Here's another code example (source from the internet):

type Arguments<T> = T extends (...args: infer A) => any ? A : never type Return<T> = T extends (...args: any[]) => infer R ? R : never  function time<F extends Function>(fn: F, ...args: Arguments<F>): Return<F> {   console.time()   const result = fn(...args)   console.timeEnd()   return result }  function add(a: number, b: number): number {   return a + b; }  const sum = time(add, 1, 2); // Call the time function to measure the execution time of the add function  console.log(sum);  // Output: // [0.09ms] default // 3 
Enter fullscreen mode Exit fullscreen mode

This example uses the never type to narrow the result of conditional types. In type Arguments<T>, if the input generic T is a function, an inferred type A will be generated from its parameter types as the type when the condition is met. In other words, if we input something that's not a function, the TypeScript compiler will eventually get the never type as a fallback.

Therefore, when defining the time function, we can use these two conditional types with generics, ultimately allowing the time function to infer the final return value type through the type of the input function add: sum is of type number.

I'm not sure if you need to write these type definitions in your work, but this is TypeScript.

We can see similar type declarations in the official source code:

/**  * Exclude null and undefined from T  */ type NonNullable<T> = T extends null | undefined ? never : T; 
Enter fullscreen mode Exit fullscreen mode

Here, the conditional type distributes the judgment type to each union type when the input generic is a union type.

// if T = A | B  T extends U ? X : T == (A extends U ? X : A) | (B extends U ? X : B) 
Enter fullscreen mode Exit fullscreen mode

So the resolution of NonNullable<string | null> is as follows:

NonNullable<string | null>   // The conditional distributes over each branch in `string | null`.   == (string extends null | undefined ? never : string) | (null extends null | undefined ? never : null)    // The conditional in each union branch is resolved.   == string | never    // `never` factors out of the resulting union type.   == string 
Enter fullscreen mode Exit fullscreen mode

Finally, the compiler recognizes it as the string type.

A Brief Analysis of the unknown Type

Any type of value can be assigned to a variable of unknown type, so we can prioritize unknown when considering using any. Once we choose to use any, it means we actively turn off TypeScript's type safety protection.

Alright, let's look at a code example:

function prettyPrint(x: unknown): string {   if (Array.isArray(x)) {     return "[" + x.map(prettyPrint).join(", ") + "]"   }   if (typeof x === "string") {     return `"${x}"`   }   if (typeof x === "number") {     return String(x)   }    return "etc." } 
Enter fullscreen mode Exit fullscreen mode

This is a pretty print function that can take parameters of any type when called. However, after passing in, we need to manually narrow the type to use methods of specific type variables in the internal logic.

Moreover, if the data source is unclear, it can also prompt developers to perform necessary type validation and type checking, reducing runtime errors.

In addition, I've also seen type guard examples like the following, which I'd like to share:

function func(value: unknown) {   // @ts-expect-error: Object is of type 'unknown'.   value.test('abc');    assertIsRegExp(value);    // %inferred-type: RegExp   value;    value.test('abc'); // OK }  /** An assertion function */ function assertIsRegExp(arg: unknown): asserts arg is RegExp {   if (! (arg instanceof RegExp)) {     throw new TypeError('Not a RegExp: ' + arg);   } } 
Enter fullscreen mode Exit fullscreen mode

For parameters of unknown type, we can use the assertIsRegExp function to assert the type. If the input parameter matches the type, no error will be thrown. In the lower half of func, the compiler receives the assertion signal and can directly use the test method.

The difference between this approach and if/else is that when developers write if/else, they need to explicitly write code for when the type is not as expected. Otherwise, when the type doesn't match, there might be a lack of runtime information, causing the code under the correct type condition not to execute.

We can't ensure that developers will always write handling logic for when the type is not as expected, so using type assertion guards is also a viable strategy. It will report an error at runtime, and if the frontend project runs under an effective monitoring system, error messages can be received for troubleshooting.

If you like this type of type guard, you can use libraries like elierotenberg/typed-assert: A typesafe TS assertion library to reduce workload. It has written functions like assertIsRegExp for us.

If you prefer explicit if/else conditional judgments, you can also use ultra-lightweight type checking libraries like mesqueeb/is-what: JS type check (TypeScript supported) functions like isPlainObject() isArray() etc. A simple & small integration..

If you don't want to introduce other libraries, then you can only write type checking code yourself. But if you write it yourself, be careful. Look at the following code:

// 1) typeof NaN === 'number' // true // 🤔 ("not a number" is a "number"...)  // 2) isNaN('1') // false // 🤔 the string '1' is not-"not a number"... so it's a number??  // 3) isNaN('one') // true // 🤔 'one' is NaN but `NaN === 'one'` is false... 
Enter fullscreen mode Exit fullscreen mode

This is just a NaN special case, but this is JavaScript.

Alright, see you next time.

References

  • When to use never and unknown in TypeScript – LogRocket Blog
  • TypeScript: Documentation – TypeScript 3.0
  • TypeScript: Handbook – Basic Types
  • Tackling TypeScript

javascripttypescriptwebdev
  • 0 0 Answers
  • 0 Views
  • 0 Followers
  • 0
Share
  • Facebook
  • Report

Leave an answer
Cancel reply

You must login to add an answer.

Forgot Password?

Need An Account, Sign Up Here

Sidebar

Ask A Question

Stats

  • Questions 4k
  • Answers 0
  • Best Answers 0
  • Users 2k
  • Popular
  • Answers
  • Author

    ES6 - A beginners guide - Template Literals

    • 0 Answers
  • Author

    Understanding Higher Order Functions in JavaScript.

    • 0 Answers
  • Author

    Build a custom video chat app with Daily and Vue.js

    • 0 Answers

Top Members

Samantha Carter

Samantha Carter

  • 0 Questions
  • 20 Points
Begginer
Ella Lewis

Ella Lewis

  • 0 Questions
  • 20 Points
Begginer
Isaac Anderson

Isaac Anderson

  • 0 Questions
  • 20 Points
Begginer

Explore

  • Home
  • Add group
  • Groups page
  • Communities
  • Questions
    • New Questions
    • Trending Questions
    • Must read Questions
    • Hot Questions
  • Polls
  • Tags
  • Badges
  • Users
  • Help

Footer

Querify Question Shop: Explore Expert Solutions and Unique Q&A Merchandise

Querify Question Shop: Explore, ask, and connect. Join our vibrant Q&A community today!

About Us

  • About Us
  • Contact Us
  • All Users

Legal Stuff

  • Terms of Use
  • Privacy Policy
  • Cookie Policy

Help

  • Knowledge Base
  • Support

Follow

© 2022 Querify Question. All Rights Reserved

Insert/edit link

Enter the destination URL

Or link to existing content

    No search term specified. Showing recent items. Search or use up and down arrow keys to select an item.