Skip to content

Instantly share code, notes, and snippets.

@anthonybrown
Created September 3, 2019 09:09
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save anthonybrown/f956683d14ee64f555188c00afa7931a to your computer and use it in GitHub Desktop.
Save anthonybrown/f956683d14ee64f555188c00afa7931a to your computer and use it in GitHub Desktop.
React Cheat Sheet: --> Context, Refs, Memo, Lazy, Suspense
// createContext
const WeatherContext = React.createContext({ day: 3 })
const App = ({ children }) => {
const [weather, setWeather] = React.useState(null)
const [error, setError] = React.useState(null)
React.useEffect(() => {
api.getWeather(...)
.then(setWeather)
.catch(setError)
}, [])
const contextValue = { weather, error }
return (
<WeatherContext.Provider value={contextValue}>
{children}
</WeatherContext.Provider>
)
}
const SomeChild = () => {
const { weather } = React.useContext(WeatherContext)
console.log(weather)
return null
}
// createRef (Obtain a reference to a react node)
const App = () => {
const ref = React.createRef()
React.useEffect(() => { console.log(ref.current) }, [])
return <div ref={ref} />
}
// forwardRef (Pass the ref down to a child)
const Remote = React.forwardRef((props, ref) => (
<div ref={ref} {...props} />
))
const App = () => {
const ref = React.createRef()
return <Remote ref={ref} />
}
// memo (Optimize your components to avoid wasteful renders)
const App = () => {...}
const propsAreEqual = (props, nextProps) => {
return props.id === nextProps.id
} // Does not re-render if id is the same
export default React.memo(App, propsAreEqual)
// lazy -> Dynamic import. Reduces bundle size
// + Code splitting
const MyComponent = React.lazy(() => import('./MyComponent))
const App = () => <MyComponent />
// Suspend rendering while components are waiting for something
// + Code splitting
import LoadingSpinner from '../LoadingSpinner'
const App = () => (
<React.Suspense fallback={<LoadingSpinner />}>
<MyComponent />
</React.Suspense>
)
// Class component state
class MyComponent extends React.Component {
state = { loaded: false }
componentDidMount = () => this.setState({ loaded: true })
render() {
if (!this.state.loaded) return null
return <div {...this.props} />
}
}
// Function component state (useState/useReducer)
const MyComponent = (props) => {
// With useState
const [loaded, setLoaded] = React.useState(false)
// With useReducer
const [state, dispatch] = React.useReducer(reducer, initialState)
if (!loaded) return null
React.useEffect(() => void setLoaded(true))
return <div {...props} />
}
// Function component
const MyComponent = (props) => <div {...props} />
MyComponent.defaultProps = { fruit: 'apple' }
// Class component
class MyComponent extends React.Component {
static defaultProps = { fruit: 'apple' }
render() { return <div {...this.props} /> }
}
// Error boundary
class MyErrorBoundary extends React.Component {
state = { hasError: false }
componentDidCatch(error, info) {...}
render() {
if (this.state.hasError) return <SomeErrorUI />
return this.props.children
}
}
const App = () => (
<MyErrorBoundary>
<Main />
</MyErrorBoundary>
)
// Does not support key attribute
const App = () => (
<>
<MyComponent />
</>
)
// Supports key attribute
const App = () => (
<React.Fragment key="abc123">
<MyComponent />
</React.Fragment>
)
// useState (Use over useReducer for basic state)
const [state, setState] = React.useState(initialState)
// useEffect (Runs after components have mounted)
React.useEffect(() => {...}, [])
// useContext (Global state)
const Context = React.createContext({ loaded: false })
React.useContext(Context)
// useReducer (Use over useState for more complex state)
const initialState = { loaded: false }
const reducer = (state = initialState, action) => {...}
const [state, dispatch] = React.useReducer(
reducer,
initialState
)
// useCallback (Memoize functions)
const handleClick = React.useCallback((e) => {...}, [])
// useMemo (Memoize values)
import { compute } from '../utils'
const memoize = React.useMemo(() => compute(miles, b), [b])
// useRef
const timeoutRef = React.useRef()
timeoutRef.current = setTimeout(() => {...}, 2000)
// useImperativeHandle (Customizes an assigned useRef)
const MyComponent = (props, ref) => {
const inputRef = useRef(null)
React.useImperativeHandle(ref, () => inputRef.current)
return <input type="text" name="someName" ref={inputRef} />
}
// useLayoutEffect (Fires after all DOM mutations)
React.useLayoutEffect(() => {...}, [])
// useDebugValue
React.useDebugValue(10)
// default export
const App = (props) => <div {...props} />
export default App
import App from './App'
// named export
export const App = (props) => <div {...props} />
import { App } from './App'
onPointerUp onPointerDown
onPointerMove onPointerCancel
onGotPointerCapture onLostPointerCapture
onPointerEnter onPointerLeave
onPointerOver onPointerOut
const App = () => {
const onPointerDown = (e) => console.log(e.pointerId)
return <div onPointerDown={onPointerDown} />
}
// Ways to render Card
const Card = (props) => <div {...props} />
const App = ({ items = [] }) => {
const renderCard = (props) => <Card {...props} />
return items.map(renderCard)
// or return items.map((props) => renderCard(props))
}
const App = (props) => <Card {...props} />
class App extends React.Component {
render() { return <Card {...this.props} /> }
}
const MyComp = ({ component: Component }) => <Component />
const App = () => <MyComp component={Card} />
// Returning object = New props require state update
// Returning null = New props do not require state update
class MyComponent extends React.Component {
static getDerivedStateFromProps(props, state) {...}
state = {...}
}
// Return value is passed as 3rd argument to componentDidUpdate
class MyComponent extends React.Component {
static getSnapshotBeforeUpdate(prevProps, prevState) {...}
}
// Listening to context from a class component
import SomeContext from '../SomeContext'
class MyCompmonent extends React.Component {
static contextType = SomeContext
componentDidMount() { console.log(this.context) }
}
// Enables rendering fallback UI before render completes
class MyComponent extends React.Component {
state getDerivedStateFromError() {...}
state = { error: null }
componentDidCatch(error, info) {...}
}
const App = () => (
<React.StrictMode>
<div>
<MyComponent />
<OtherComponent />
</div>
</React.StrictMode>
)
import { act } from 'react-dom/test-utils'
import MyComponent from './MyComponent'
const container = document.createElement('div')
// Synchronous
it('renders and adds new item to array', () => {
act(() => {
ReactDOM.render(<MyComponent />, container)
})
const btn = container.querySelector('button')
expect(btn.textContent).toBe('one item')
act(() => {
button.dispatchEvent(new MouseEvent('click', { bubbles: true }))
})
expect(btn.textContent).toBe('two items')
})
// Asynchronous
it('does stuff', async () => {
await act(async () => {
// code
})
})
const App = () => 'a basic string' // string
const App = () => 1234567890 // number
const App = () => true // boolean
const App = () => null // null
const App = () => <div /> // react element
const App = () => <MyComponent /> // component
const App = () => [ // array
'a basic string',
1234567890,
true,
null,
<div />,
<MyComponent />,
]
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment