Gerpea
Gerpea

Reputation: 309

Typescript object with default function typing in React

I wonder how this code written in JavaScript

const stuff = useCallback(() => { 
    function first() { 
        return "firstStaff"; 
    }
    function major() { 
        return "majorStaff";
    }
    
    major.first = first;
    
    return major;
})();

Can be written with correct types in TypeScript, so it has the right hints for stuff() and stuff.first()

Upvotes: 1

Views: 147

Answers (3)

rbkannan
rbkannan

Reputation: 374

We can define a type by combining multiple types like this to achieve required

type Stuff = { first: () => string } & (() => string);

const stuff: Stuff = useCallback(() => {
...    
})();

  stuff.first();

  stuff();

Upvotes: 2

If you are interested in function static property typing you can use this example:

import { useCallback } from 'react'

interface Major {
  (): string
  first: () => string
}

const stuff = useCallback((): Major => {
  function first() {
    return "firstStaff";
  }
  function major() {
    return "majorStaff";
  }

  major.first = first;

  return major;
}, [])();

Playground

Please see this question/answer if you want to know more about typing static function properties

Upvotes: 1

Ryan Le
Ryan Le

Reputation: 8412

useCallback need an array of dependency as the 2nd argument then it can be self infer

import { useCallback } from "react";

export default function App() {
  const stuff = useCallback(() => {
    function first() {
      return "firstStaff";
    }
    function major() {
      return "majorStaff";
    }

    major.first = first;

    return major;
  }, []);

  return (
  ...
  );
}

Working Example:

Edit summer-night-zx2bm

Upvotes: 0

Related Questions