likes
comments
collection
share

React Hook学习笔记(未完)

作者站长头像
站长
· 阅读数 68
  1. 用到的库

    qs: get请求时转义请求的参数 yarn add qs
    emtion: css in js库之一
    craco: 自主定义package.json中的脚本, npm run eject的替代方案
    craco-less
    dayjs 处理日期格式 ## momentjs 已经停止维护
    react-query: 
    react-error-boundary: react 错误边界库
    react-helmet: 修改react项目 header中的内容 meta title等
    why-did-you-render  检测依赖循环渲染
    

    encodeURIComponent 转义get请求的参数 encodeURI 转义整个请求的链接🔗

  2. 封装常用的自定义的hook

    useMount:
    export const useMount = (callback: (...rest: any) => any) => {
        // 依赖项中,加入callback会造成无限循环,这和useCallback &&useMemo有关
      useEffect(() => callback(), []);
    };
    useHttp
    useAsync
    useDocument
  3. fetch 不会抛异常

    fetch().then().catch()
    catch 抛异常的条件:断网,网络不通,请求错误5xx, 4xx 不会抛异常,所以
    需要在then中用户根据返回的结果手动抛Promise.reject(...)
  4. 样式方案

    1. 使用antd 组件库
    2. css in js库 --> emotion 
    3. grid布局
    4. 
  5. css in js --> 一种组织代码的方式 && css方案 emotion的使用与安装

        yarn add @emotion/react @emotion/styled;  
        编辑器安装插件的支持  【styled components && styled jsx】
        组件中引入 import styled from '@emotion/styled'
        代码组织:
        const Container = styled.div`
          display: flex;
        `
        !!!styled.xx  xx只能是原生的html标签,那如果引用的是Antd库的组件咋办?==>
        const ShadowCard = styled(Card)` // 仅以Card举例
            width: 40rem;
        `
        ### Card 替换成对应的需要修饰的 Antd 或者其他UI库组件名

    全局样式的

    html {
      /* rem em */
      /*em 相对于父元素的font-size*/
      /*rem 相对于根元素html的font-size, r就是root的意思*/
      /*16 * 62.5% = 10px*/  浏览器默认的font-size: 16
      /*1rem === 10px*/
      font-size: 62.5%; // ==> 此时 1rem === 10px
    }
    
    /*viewport height === vh*/
    html body #root .App {
      min-height: 100vh; // 视口的高度
    }
    
  6. 网格布局

    const Container = styled.div`
     display: grid;
     grid-template-rows: 6rem 1fr 6rem;
     grid-template-columns: 20rem 1fr 20rem;
     grid-template-areas:
     "header header header"
     "nav main aside"
     "footer footer footer";
     height: 100vh;
     grid-gap: 10rem;
    `;
     #1. 1fr 自由伸缩
     // grid-area 用来给grid子元素起名字
     const Header = styled.header`
     grid-area: header;
     ......
     `;
     const HeaderRight = styled.div``;
     const Main = styled.main`
     grid-area: main;
     `;
     const Nav = styled.nav`
     grid-area: nav;
     `;
     const Aside = styled.aside`
     grid-area: aside;
     `;
     const Footer = styled.footer`
     grid-area: footer;
     `;

    grid flex 使用场景 *从内容出发:你先有一组内容(数量一般不固定),然后希望他们均匀的分布在容器中,由内容自己的大小决定占据的空间 *从布局出发:先规划网格(数量一般比较固定),然后再把元素往里填充

    1. 一维布局 || 从内容出发:flex
    2. 二维布局 || 从布局出发:grid
  7. svg的图片以svg的方式渲染

    import { ReactComponent as SoftwareLogo } from "assets/software-logo.svg";
    
  8. 自定义Error && Loading组件 --> 自定义useAsync统一处理loading&&error
  9. 错误边界

    import React, { Children, ReactNode } from 'react'
    
    type ErrorType = {
        error: Error | null
    }
    
    // React.ReactElement JSX的类型
    type FallbackRender = (props: ErrorType) => React.ReactElement
    
    type PropsType = {
        children: ReactNode,
        fallbackRender: FallbackRender
    }
    // or 利用联合类型
    type PropsType2 = React.PropsWithChildren<{fallbackRender: FallbackRender}>
    
    export class ErrorBoundary extends React.Component<PropsType2, ErrorType> {
        state = {error: null}
    
        // 当子组件抛出异常,这里会接收到并调用
        static getDerivedStateFromError(error: Error) {
            return {error} // 自动设置state
        }
    
        render() {
            const {error} = this.state
            const { fallbackRender, children} = this.props
    
            if (error) return fallbackRender({error})
    
            return children
        }
    }
  10. useRef Hook闭包案例

    export const useDocumentTitle = (title: string, keepOnUnmount: boolean = true) => {
        const oldTitle = document.title
        // 页面加载时:oldTitle === 旧title 'React App'
        // 加载后:oldTitle === 新title
    
        useEffect(() => {
            document.title = title
        }, [title])
    
        useEffect(() => {
            return () => {
                if (!keepOnUnmount) {
                    // 如果不指定依赖,读到的就是就title
                    document.title = oldTitle
                } 
            }
        }, [])
    }
    
    const test = () => {
        let num = 0;
    
        const effect = () => {
            num += 1
            const message = `现在的num值: ${num}`
            return function unmmount() {
                console.log(message)
            }
        }
    
        return effect
    }
    
    const add = test()
    const unmount = add()
    add()
    add()
    unmount() /// 打印几?
    
    export const useDocumentTitle2 = (title: string, keepOnUnmount: boolean = true) => {
        /**
         * 官网:useRef返回一个可变的ref对象,其.current属性被初始化为传入的参数(initialValue)。
         * 返回的ref对象在组件的生命周期内保持不变
         */
        const oldTitle = useRef(document.title).current;
    
        useEffect(() => {
            document.title = title
        }, [title])
    
        useEffect(() => {
            return () => {
                if (!keepOnUnmount) {
                    // 如果不指定依赖,读到的就是就title
                    document.title = oldTitle
                } 
            }
        }, [title, keepOnUnmount])
    }
    

    test.tsx

    import { useEffect, useState } from "react"
    
    export const Test = () => {
        const [num, setNum] = useState(0)
    
        const add = () => setNum(num + 1)
    
        /**
         * useEffect中引用的num是 只有页面加载时执行一次,里面形成一个闭包,而其作用域引用的num是页面刚加载时候的值
         * 怎么保证里面拿到的值 是新鲜的呢?在effect中 [xxx] 依赖项
         */
        useEffect(()=>{
            setInterval(() => {
                console.log('num in setInterval:', num)
            })
        }, [])
    
    
        useEffect(() => {
            return () => {
                console.log(num)
            }
        }, [])
    
        return <div>
            <button onClick={add}>add</button>
            <p>{num}</p>
        </div>
    }
  11. React-router 注意 默认路由用Navigator

    <Router>
        <Routes>
          {/*projects/:projectId/kanban*/}
          <Route path={"kanban"} element={<KanbanScreen />} />
          {/*projects/:projectId/epic*/}
          <Route path={"epic"} element={<EpicScreen />} />
          <Route index element={<KanbanScreen />} />
          <Navigator to={"/project"} />
        </Routes>
    </Router>

    useUrlQueryParam管理参数状态

    import { useSearchParams } from "react-router-dom"
    
    /**
     * 返回页面url中,指定键的参数值
     */
    type objType = {
        [key in string]: string
    }
    export const useUrlQueryParam = (keys: string[]) => {
        const [searchParams, setSearchParam] = useSearchParams()
        // searchParams的使用和 web-api中的URLSearchParams中保持一致,必须通过指定的api取值, .方式取值是❎的
        return [ 
            keys.reduce((prev, key) => {
                return {...prev, [key]: searchParams.get(key) || ''}
            }, {} as objType),
            setSearchParam
        ] as const
    }
    
    const a = ['jska', 12, {sex: 'man'}] as const
    // tuple && Array
    // TS默认认为 a 是数组 每个月元素的类型是一致的,所以会推导出  每个元素的类型为数组中所有不同类型item的并集
    // 怎么才能返回最原始的类型呢? 添加  as const
  12. useMemo解决循环依赖的问题 // 基本类型、可以放到依赖中; // 组件状态,可以放入依赖中; // 非组件状态的对象,绝不可以放到依赖中
  13. select id选择的难题 服务器默认返回的 id 正常情况下是number,jsx中使用 {id} 会变成 string ==> 手动封装一个 id Select Number(id)
  14. 如何保存一个函数

    useState传入函数的时候,含义:惰性初始化
    useState中传入函数,会被立即执行
    useState(() => {})
    解决办法:函数颗粒化: useState(() => () => {})
    const [callback, setCallback] = useState(() => () => {})
    !!!用state保存函数,此外 还可以用 useRef保存函数
    const callbackRef = React.useRef(() => {console.log(1)})
    !!!useRef定义的值 并非组件的状态,只是一个普通的变量,不会出发页面的更新
    const callback = callbackRef.current
    <Button onClick={() => (callbackRef.current = () => {console.log(2)})}>1</Button>
    <Button onClick={callbackRef.current}>2.0</Button> // 早已读出
    <Button onClick={callback}>2</Button> // 读到的还是旧值
    // 读新值, 强制从callbackRef.current中取值
    <Button onClick={() => callbackRef.current()}>2.1</Button>
    
  15. Hook的使用规则

    1. 必须放在方法的顶部,不能放在jsx语句中,作为属性传递
    2. 如果需要将函数作为属性传递,则需在useVVV中定义回调函数,暴露出普通函数,传递
    const { muteFn } = useXXX()
    <VVVV onChange={y => muteFn(x, y)}></VVVV>
    ### 如果 x 由父组件确定了而 y 需要 change才能改变,则可以进行如下的方式进行 简化:
    const yFn = (x) => (y) => muteFn(x, y)
    <VVVV onChange={muteFn(x)}></VVVV>
    
    ##举例:
    var getPromise = () => new Promise()
    var run  = (callback) => {}
    run(getPromise()) // getPromise() 拿到的只是一个实例 并没有拿到回调函数
    var huidiao  = () => getPromise()
  16. 如果异步请求还存在,setData还存在,但是组件已经卸载了,如何处理

    /**
     * 
     * @return 返回组件的挂载状态,如果还没挂载或者已经卸载,返回false; 反之,返回true
     */
    export const useMountedRef = () => {
      const mountedRef = useRef(false)
      useEffect(() => {
        mountedRef.current = true
    
        return () => {
          mountedRef.current = false
        }
      })
      return mountedRef
    }
    根据 mountedRef.current 为true 确定是否需要 setData
  17. useCallback && state 当useCallback中的依赖项依赖state时,会造成循环依赖,则: state的写法得改变 setState(prevState => {(...state, stat: '123')}) useMemo:引用数据类型 useCallback:函数
  18. dadsad
转载自:https://segmentfault.com/a/1190000041912790
评论
请登录