Skip to content

Latest commit

 

History

History
75 lines (53 loc) · 2.21 KB

Readme.md

File metadata and controls

75 lines (53 loc) · 2.21 KB

Hoc

We are going to implement a High Order Component,this let us extract common functionallity and expose it via composition.

We will take a startup point sample 17 Context:

Prerequisites

Install Node.js and npm (v6.6.0) if they are not already installed on your computer.

Verify that you are running at least node v6.x.x and npm 3.x.x by running node -v and npm -v in a terminal/console window. Older versions may produce errors.

Steps to build it

In the previous sample we had to create an intermediate LoginPageInner2 component in order to inject to the component the loginInfo and setLoginInfo fields from the Session context.

This boilerplate is a bit ugly, and it would be worse if we want to access that info from other pages.

By implementing an Hoc we can just create a reusable function that will make easier to access the SessionContext consumer.

  • We will start by creating our Hoc (let's add this at the bottom of the file).

./src/common/sessionContext.tsx

export const withSessionContext = (Component) => (props) => (
  <SessionContext.Consumer>
    {
      ({ login, updateLogin }) => (
        <Component
          {...props}
          login={login}
          updateLogin={updateLogin}
        />
      )
    }
  </SessionContext.Consumer>
);
  • Now let's import it in our loginPage.

./src/pages/login/loginPage.tsx

- import { SessionContext } from '../../common';
+ import { SessionContext, withSessionContext } from '../../common';
  • And let's remove LoginPageInner2 and add our Hoc:

./src/pages/login/loginPage.tsx

- export const LoginPageInner2 = (props) =>
-  <>
-  <SessionContext.Consumer>
-    {
-      ({updateLogin}) =>
-      <LoginPageInner updateLogin={updateLogin} {...props}/>
-    }
-
-  </SessionContext.Consumer>
-  </>

- export const LoginPage = withStyles(styles)(withRouter<Props>((LoginPageInner2)));
+ export const LoginPage = withSessionContext(withStyles(styles)(withRouter<Props>((LoginPageInner))));
  • We can run and check that the sample is working.

As an excercise create a Page C and make use of the Hoc.

Nesting HOC's can make code difficult to read, we can use lodash flow to alleviate this.