React 实战(旅游网站)

项目启动

  1. 新建项目

    npx create-react-app project-name --template typescript
    npm install typescript-plugin-css-modules --save-dev
    

    若运行出错,可npm config set registry https://registry.npmjs.org/

    如需将 TypeScript 添加到现有的 Create React App 项目中:npm install --save typescript @types/node @types/react @types/react-dom @types/jest

  2. JSS 模块化
    tsconfig.json 下增加配置

    // compilerOptions 下增加
    "noImplicitAny": false,
    "plugins": [
      {
        "name": "typescript-plugin-css-modules"
      }
    ]
    

    新建文件 src/custom.d.ts 文件

    declare module '*.css' {
        const css: { [key: string]: string }
        export default css
    }
    

    App.css 文件改成 App.module.css,并改变
    App.tsx 中引入方式 import styles from './App.module.css'

  3. 配置 eslint、 prettier 和 commitlint 规范工程

    • 配置绝对路径

      import logo from 'logo.svg' // src/logo.svg
      

      tsconfig.json 下增加配置

      // compilerOptions 下增加
      "baseUrl": "src",
      
    • 配置格式化 npm install prettier --save-dev

      1. 新建文件 project-name/.prettierrc.json,可自行配置

      2. 新建文件 project-name/.prettierignore

      build
      coverage
      
      1. 执行 npx mrm lint-stagedlint-staged 是一个在 git 暂存文件上运行 linters 的工具。它将根据 package.json 依赖项中的代码质量工具来安装和配置 huskylint-staged,因此请确保在此之前安装(npm install --save-dev)并配置所有代码质量工具,如 PrettierESlint
      "husky": {
        "hooks": {
          "pre-commit": "lint-staged"
        }
      },
      "lint-staged": {
        "*.{js,css,md,ts,tsx,jsx}": "prettier --write"
      }
      
      1. 安装依赖 npm install eslint-config-prettier --save-dev
        src/package.json
      "eslintConfig": {
        "extends": [
            "react-app",
            "react-app/jest",
            "prettier"
        ]
      },
      
    • 配置 commitlint
      安装:

      npm install --save-dev @commitlint/config-conventional @commitlint/cli
      
      // 生成配置文件commitlint.config.js,当然也可以是 .commitlintrc.js
      echo "module.exports = {extends: ['@commitlint/config-conventional']};" > commitlint.config.js
      

      配置:在 husky 的配置加入 CommitlIint 配置

      "husky": {
          "hooks": {
             "commit-msg": "commitlint -E $HUSKY_GIT_PARAMS"
        }
      },
      

引入 UI 框架 Ant Design

npm install antd @ant-design/icons --save

  1. 全局引用 Ant Design 样式文件
    index.css@import '~antd/dist/antd.css'

  2. 按需引入引入 antd(具体用法见文档)

  3. 组件化思想(使用方便,易于独立)
    src/components/index.ts:组件导出

    export * from './header'
    export * from './footer'
    ......
    

    src/components/footer:封装 Footer 组件

    src/components/footer/Footer.tsx:组件逻辑

    import React from 'react'
    import { Layout, Typography } from 'antd'
    
    export const Footer: React.FC = () => {
        return (
            <Layout.Footer>
                <Typography.Title level={3} style={{ textAlign: 'center' }}>
                版权所有 @ React 旅游网
                </Typography.Title>
            </Layout.Footer>
        )
    }
    

    src/components/footer/index.tsx:组件导出

    export * from './Footer'
    

    src/App.tsx:根组件

    import React from 'react';
    import styles from './App.module.css';
    import { Header, Footer } from './components'
    
    function App() {
        return (
            <div className={styles.app}>
                <Header />
                <Footer />
            </div>
        );
    }
    
    export default App;
    

引入路由系统

  1. react-router-dom 用于浏览器,处理 Web App 的路由

    • 安装 npm install react-router-dom --save-dev
    • 会自动安装 react-router 核心框架
    • <Link /> 组件可以渲染出 <a/> 标签
    • <BrowserRouter/> 组件利用 H5 API 实现路由切换
    • <HashRouter/> 组件则利用原生 JS 中的 window.location.hash 来实现路由切换
  2. react-router-native 用于 React Native,处理手机 app 的路由

  3. react-router-redux 提供了路由中间件,处理 redux 的集成

  4. react-router-config 用来静态配置路由

react-router-dom

  1. 配置路由

    import { BrowserRouter, Route } from 'react-router-dom'
    
    // 若匹配到多个路由,则UI显示为多组件共存
    // exact:精准匹配
    <div className={styles.app}>
        <BrowserRouter>
            // HomePage 中,可通过 props 获取到路由信息
            <Route exact path="/" component={HomePage} />
            <Route path="/login" render={() => <h1>登录</h1>} />
        </BrowserRouter>
    </div>
    
  2. 带参数路由匹配

    // App.tsx
    import React from 'react'
    import { BrowserRouter, Route, Switch } from 'react-router-dom'
    import styles from './App.module.css'
    import { HomePage, LoginPage, RegisterPage, DetailPage } from './pages'
    
    function App() {
        return (
            <div className={styles.app}>
                <BrowserRouter>
                    <Switch>
                        <Route exact path="/" component={HomePage} />
                        <Route path="/login" component={LoginPage} />
                        <Route path="/register" component={RegisterPage} />
                        <Route path="/detail/:id" component={DetailPage} />
                    </Switch>
                </BrowserRouter>
            </div>
        )
    }
    export default App
    
    // Detail.tsx
    import React from 'react'
    import { RouteComponentProps } from 'react-router-dom'
    
    interface MatchParams {
        id: string
    }
    
    export const DetailPage: React.FC<RouteComponentProps<MatchParams>> = (props) => {
        return (
            <>
                <h1>详情{props.match.params.id}</h1>
            </>
        )
    }
    
  3. 路由跳转

  • withRouter

    import { RouteComponentProps, withRouter } from 'react-router-dom'
    
    interface PropsType extends   RouteComponentProps {
       id: number
       ......
    }
    
    const ProductImageComponent: React.FC<PropsType> = ({ id, history, location, match }) => {
       return (
           <div onClick={() => history.push(`detail/${id}`)}>
               ......
           </div>
       )
    }
    
    export const ProductImage = withRouter(ProductImageComponent)
    
  • useHistory

    import { useHistory } from 'react-router-dom'
    
    const history = useHistory()
    
    
    <Button onClick={() => history.push('/register')}>注册</Button>
    <Button onClick={() => history.push('/login')}>登录</Button>
    
  • Link

    import { Link } from 'react-router-dom'
    
    <Link to={`detail/${id}`}>......</Link>
    

redux 状态管理

详见 react-redux

常见 MOCK 方案

  1. 代码入侵:直接在代码中写死 Mock 数据,或者请求本地的 json 文件

  2. 请求拦截,如 Mock.js

  3. 接口管理工具,如 rapswaggeryapi

  4. 本地 node 服务,如 json-server,推荐~~

    • 安装:sudo npm install json-server -g
    • 配置:project-name 下新建文件 db.json(RESTful 规范接口,如增删改查资源)、middleware.js(非 RESTful 规范接口,如登录、注册等)
    • 启动:json-server json-server-mock/db.json --middlewares json-server-mock/middleware.js
    • 使用:postman 中使用 restful 规范操作,json 联动
    • 若在 package.json 中配置
      "scripts": {
         ......
         "json-server": "PORT=3000 json-server json-server-mock/db.json --middlewares json-server-mock/middleware.js --watch"
      },
      
  5. React 启动时自定义端口号
    修改 package.jsonstart 一行

    // Linux or MacOS
    "start": "PORT=4003 react-scripts start"
    // or
    "start": "export PORT=3006 react-scripts start"
    
    // Windows
    "start": "set PORT=3006 && react-scripts start"
    

Ajax

npm install qs @types/qs --save

  1. 配置请求根路径,处理请求参数,必须为 REACT_APP_API_URL,否则会报错
    project-name/.env

    REACT_APP_API_URL = http://online.com
    

    project-name/.env.development

    REACT_APP_API_URL = http://localhost:3000
    

    src/utils/index.js

    // 是否虚值
    export const isFalsy = (value: any): boolean => {
        return value === 0 ? true : !!value
    }
    // 在一个函数里,改变传入的对象本身是不好的
    // 处理对象,去除空值
    export const cleanObject = (object) => {
        const params = { ...object }
        Object.keys(params).forEach(key => {
            const value = params[key]
            if (!isFalsy(value)) {
                delete params[key]
            }
        })
        return params
    }
    

    发送请求

    import qs from 'qs'
    
    const apiUrl = process.env.REACT_APP_API_URL
    
    useEffect(() => {
        fetch(`${apiUrl}/projects?${qs.stringify(cleanObject(param))}`).then(async response => {
            if (response.ok) {
                setList(await response.json())
            }
        })
    }, [param])
    
  2. custom hook

    • useMount

      export const useMount = (callback: () => void) => {
        useEffect(() => {
            callback()
        }, [])
      }
      useMount(() => {
          fetch(`${apiUrl}/users`).then(async response => {
              if (response.ok) {
                  setUsers(await response.json())
              }
          })
      })
      
    • useDebounce

      export const useDebounce = <T>(value: T, delay = 300) => {
            const [ debounceValue, setDebounceValue ] = useState(value)
      
            useEffect(() => {
              // 每次在value 或 delay 变化后,设置一个定时器
              const timeout = setTimeout(() => {
                  setDebounceValue(value)
              }, delay)
      
             // 每次在上一个 useEffect 处理完以后再执行,最后一个 timeout 得以执行
             return () => {
                 clearTimeout(timeout)
             }
         }, [value, delay])
      
         // 返回最后一次执行后的 value
         return debounceValue
      }
      
      const debounceParam = useDebounce(param, 300)
          useEffect(() => {
              fetch(`${apiUrl}/projects?${qs.stringify(cleanObject(debounceParam))}`).then(async response => {
                  if (response.ok) {
                      setList(await response.json())
                  }
              })
      }, [debounceParam])
      
    • useArray

      import React from 'react'
      
      export const useArray = <T>(list: T[]) => {
        const [ value, setValue ] = useState(list)
      
        return {
            value,
            clear: () => setValue([]),
            add: (item: T) => setValue([ ...value, item ]),
            removeIndex: (index: number) => {
                const array = [ ...value ]
                array.splice(index, 1)
                setValue(array)
            },
        }
      }
      
      interface Person {
          name: string
          age: number
      }
      export const TsReactTest = () => {
          const persons: Person[] = [
              { name: 'Jack', age: 25 },
              { name: 'Marry', age: 22 },
          ]
      
          const { value, clear, removeIndex, add } = useArray(persons)
      
          return (
              <>
                  <div>
                      <button onClick={ () => add({ name: 'John', age: 20 }) }>add John</button>
                      <button onClick={ () => removeIndex(0) }>remove 0</button>
                      <button onClick={ () => clear() }>clear Array</button>
                  </div>
                  <div>
                      {
                          value.map((item: Person, index: number) => {
                              return (
                                  <div key={index}>
                                      <span>{index}</span>
                                      <span>{item.name}</span>
                                      <span>{item.age}</span>
                                  </div>
                              )
                          })
                      }
                  </div>
              </>
          )
      }
      
  3. 完成 login
    json-server-mock/middleware.js

    module.exports = (req, res, next) => {
        const { method, path, body } = req
    
        // 登录
        if (method === 'POST' && path === '/login') {
            if (body.username === 'jack' && body.password === '123') {
                return res.status(200).json({
                    user: {
                        token: '123'
                     }
                })
            } else {
                return res.status(400).json({
                    message: '用户名或密码错误'
                 })
            }
            next()
        }
    }
    

    src/screens/login/index.tsx

    import React, { FormEvent } from 'react'
    
    const apiUrl = process.env.REACT_APP_API_URL
    
    export const LoginScreen = () => {
        const handleSubmit = (event: FormEvent<HTMLFormElement>) => {
            event.preventDefault()
            const username = (event.currentTarget.elements[0] as HTMLInputElement).value
            const password = (event.currentTarget.elements[1] as HTMLInputElement).value
            login({username, password})
        }
    
        const login = (param: { username: string; password: string }) => {
            fetch(`${apiUrl}/login`, {
                method: 'POST',
                headers: { 'Content-Type': 'application/json' },
                body: JSON.stringify(param)
            }).then(async response => {
                if (response.ok) {
                    const result = await response.json()
                    console.log(result)
                }
            })
        }
    
        return (
            <div>
                <h3>登录</h3>
                <form onSubmit={ handleSubmit }>
                    <div>
                        <label htmlFor="username">用户名</label>
                        <input type="text" id="username" />
                    </div>
                    <div>
                        <label htmlFor="password">密码</label>
                        <input type="password" id="password" />
                    </div>
                    <button type="submit">登录</button>
                </form>
            </div>
        )
    }
    

npx imooc-jira-tool

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 206,214评论 6 481
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 88,307评论 2 382
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 152,543评论 0 341
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 55,221评论 1 279
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 64,224评论 5 371
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 49,007评论 1 284
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,313评论 3 399
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,956评论 0 259
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 43,441评论 1 300
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,925评论 2 323
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,018评论 1 333
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,685评论 4 322
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 39,234评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,240评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,464评论 1 261
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 45,467评论 2 352
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,762评论 2 345

推荐阅读更多精彩内容