vue轉react入門指南

因為新公司使用react技術棧,包括Umi、Dva、Ant-design等一系列解決方案。稍微熟悉一下之後,瞭解到雖然有些不同,但是還是大相徑庭。以下我就以兩個火熱的框架react16&vue2(在積極學習vue3中)從設計、書寫方式、API、生命周期及熱門生態做一下簡單的對比:

設計

react vue 說明
定位 構建用戶界面的js庫 漸進式框架 react側重於library,vue側重於framework
渲染 setState更新state的值來達到重新render視圖 響應式數據渲染,修改瞭響應式數據對應的視圖也進行渲染 react需要考慮何時setState,何時render;vue隻需要考慮修改數據
編寫方式 jsx template react是函數式,all in js;vue區分tempalte、script、style,提供語法糖,使用vue-loader編譯

組件通信

react:嚴格的單向數據流

  • 向下 props
  • 向上 props func
  • 多級傳遞 context

遵循萬物皆可props,onChange/setState()

vue:單向數據流

  • 向下 props down
  • 向上 events up(訂閱發佈)
  • 多級傳遞 $attrs、$listeners

還有各種獲取組件實例(VueComponent),如:$refs、$parent、$children;通過遞歸獲取上級或下級組件,如:findComponentUpward、findComponentsUpward;高階組件:provide/reject,dispatch/broadcast

react vue 說明
子組件數據傳遞 props props 都是聲明式
組件狀態機 state data 管理組件的狀態,react使用setState更改,vue直接賦值,新屬性使用$set;vue使用函數閉包特性,保證組件data的獨立性,react本就是函數

生命周期

react vue 說明
數據的初始化 constructor created
掛載 componentDidMount mounted dom節點已經生成
更新 componentDidUpdate updated react:組件更新完畢後,react隻會在第一次初始化成功會進入componentDidmount,之後每次重新渲染後都會進入這個生命周期,這裡可以拿到prevProps和prevState,即更新前的props和state。 vue:在數據更改導致的虛擬 DOM 重新渲染和更新完畢之後被調用
卸載 componentWillUnmount destroyed 銷毀事件

事件處理

react

  • React 事件的命名采用小駝峰式(camelCase),而不是純小寫
  • 使用 JSX 語法時你需要傳入一個函數作為事件處理函數,而不是一個字符串
  • 不能通過返回 false 的方式阻止默認行為。你必須顯式的使用 preventDefault
  • 不能卸載非Element標簽上,否則會當成props傳下去
function Form() {
  function handleSubmit(e) {
    e.preventDefault();
    console.log('You clicked submit.');
  }
  return (
    <form onSubmit={handleSubmit}>
      <button type="submit">Submit</button>
    </form>
  );
}

vue

用在普通元素上時,隻能監聽原生 DOM 事件。用在自定義元素組件上時,也可以監聽子組件觸發的自定義事件

//原生事件
<form v-on:submit.prevent="onSubmit"></form>
//自定義事件
<my-component @my-event="handleThis(123, $event)"></my-component>

vue事件修飾符:

  • .stop – 調用 event.stopPropagation()。
  • .prevent – 調用 event.preventDefault()。
  • .capture – 添加事件偵聽器時使用 capture 模式。
  • .self – 隻當事件是從偵聽器綁定的元素本身觸發時才觸發回調。
  • .native – 監聽組件根元素的原生事件。
  • .once – 隻觸發一次回調。
  • .left – (2.2.0) 隻當點擊鼠標左鍵時觸發。
  • .right – (2.2.0) 隻當點擊鼠標右鍵時觸發。
  • .middle – (2.2.0) 隻當點擊鼠標中鍵時觸發。
  • .passive – (2.3.0) 以 { passive: true } 模式添加偵聽器

class和style

class

react

render() {
  let className = 'menu';
  if (this.props.isActive) {
    className += ' menu-active';
  }
  return <span className={className}>Menu</span>
}

vue

<div
  class="static"
  :class="{ active: isActive, 'text-danger': hasError }"
></div>

 
<div :class="[{ active: isActive }, errorClass]"></div>

style

react

<div style={{color: 'red', fontWeight: 'bold'}} />

vue

<div :style="[baseStyles, overridingStyles]"></div>

組件樣式的時候你可以在style標簽上聲明一個scoped來作為組件樣式隔離標註,如:<style lang=”sass” scoped></style>。最後打包時其實樣式都加入一個hash的唯一值,避免組件間css污染

條件渲染

  • react:jsx表達式, &&或者三元表達式;return false表示不渲染
  • vue:表達式返回true被渲染,可嵌套多個v-else-if,v-else

列表渲染

react:使用.map,一個元素的 key 最好是這個元素在列表中擁有的一個獨一無二的字符串

<ul>
  {props.posts.map((post) =>
    <li key={post.id}>
      {post.title}
    </li>
  )}
</ul>

vue:為瞭給 Vue 一個提示,以便它能跟蹤每個節點的身份,從而重用和重新排序現有元素,你需要為每項提供一個唯一 key attribute

<li v-for="item in items" :key="item.message">
  {{ item.message }}
</li>

組件嵌套

react

默認插槽

<div className={'FancyBorder FancyBorder-' + props.color}>
  {props.children}
</div>

具名插槽

<div className="SplitPane">
  <div className="SplitPane-left">
    {props.left}
  </div>
  <div className="SplitPane-right">
    {props.right}
  </div>
</div>

<SplitPane left={<Contacts />} right={<Chat />} />

vue

默認插槽

<main>
  <slot></slot>
</main>

具名插槽

<header>
  <slot name="header"></slot>
</header>

獲取DOM

react:管理焦點,文本選擇或媒體播放。觸發強制動畫。集成第三方 DOM 庫

class MyComponent extends React.Component {
  constructor(props) {
    super(props);
    this.myRef = React.createRef();
  }
  render() {
    return <div ref={this.myRef} />;
  }
}

vue:被用來給元素或子組件註冊引用信息

<div ref="div">hello</div>

this.$refs.p.offsetHeight

文檔結構

Umi

├── config                   # umi 配置,包含路由,構建等配置
│   ├── config.ts            # 項目配置.umirc.ts優先級更高,使用此方式需要刪除.umirc.ts
│   ├── routes.ts            # 路由配置
│   ├── defaultSettings.ts   # 系統配置
│   └── proxy.ts             # 代理配置
├── mock                     # 此目錄下所有 js 和 ts 文件會被解析為 mock 文件
├── public                   # 此目錄下所有文件會被copy 到輸出路徑,配置瞭hash也不會加
├── src
│   ├── assets               # 本地靜態資源
│   ├── components           # 業務通用組件
│   ├── e2e                  # 集成測試用例
│   ├── layouts              # 約定式路由時的全局佈局文件
│   ├── models               # 全局 dva model
│   ├── pages                # 所有路由組件存放在這裡
│   │   └── document.ejs     # 約定如果這個文件存在,會作為默認模板
│   ├── services             # 後臺接口服務
│   ├── utils                # 工具庫
│   ├── locales              # 國際化資源
│   ├── global.less          # 全局樣式
│   ├── global.ts            # 全局 JS
│   └── app.ts               # 運行時配置文件,比如修改路由、修改 render 方法等
├── README.md
└── package.json

vue_cli

├── mock                       # 項目mock 模擬數據
├── public                     # 靜態資源
│   └── index.html             # html模板
├── src                        # 源代碼
│   ├── api                    # 所有請求
│   ├── assets                 # 主題 字體等靜態資源
│   ├── components             # 全局公用組件
│   ├── directive              # 全局指令
│   ├── filters                # 全局 filter
│   ├── layout                 # 全局 layout
│   ├── router                 # 路由
│   ├── store                  # 全局 store管理
│   ├── utils                  # 全局公用方法
│   ├── views                  # views 所有頁面
│   ├── App.vue                # 入口頁面
│   └── main.js                # 入口文件 加載組件 初始化等
├── tests                      # 測試
├── vue.config.js              # vue-cli 配置如代理,壓縮圖片
└── package.json               # package.json

路由

動態路由&路由傳參

react-router

  • history.push(/list?id=${id})
  • history.push({pathname: ‘/list’, query: {id}})
  • history.push(/list/id=${id})
  • history.push({pathname: ‘/list’, params: {id}})

獲取 props.match.query / props.match.params

vue-router

  • this.$router.push({path: ‘/list’, query: {id}})
  • this.$router.push({path: ‘/list’, params: {id}})

獲取 this.$router.query / this.$router.params

嵌套路由

-react

{
  path: '/',
  component: '@/layouts/index',
  routes: [
    { path: '/list', component: 'list' },
    { path: '/admin', component: 'admin' },
  ],
}

<div style={{ padding: 20 }}>{ props.children }</div>

使用props.children渲染子路由

vue-router

{
  path: '/user/:id',
  component: User,
  children: [
    {
      path: 'profile',
      component: UserProfile
    },
    {
      path: 'posts',
      component: UserPosts
    }
  ]
}

<div id="app">
  <router-view></router-view>
</div>

使用vue原生組件/<router-view/>組件渲染子路由

路由跳轉

umi

<NavLink exact to="/profile" activeClassName="selected">Profile</NavLink>
history.push(`/list?id=${id}`)

vue

<router-link to="/about">About</router-link>
this.$router.push({path: '/list', query: {id}})

路由守衛(登錄驗證,特殊路由處理)

  • Umi
  • vue-router

全局路由守衛

全局前置守衛:router.beforeEach

 const router = new VueRouter({ ... })
 router.beforeEach((to, from, next) => {
   // ...
 })

全局後置守衛:router.beforeEach

 router.afterEach((to, from) => {
   // ...
 })

狀態管理

多個視圖依賴於同一狀態或來自不同視圖的行為需要變更同一狀態;才需要使用狀態管理機。

dva vuex 說明
模塊 namespace modules 解決應用的所有狀態會集中到一個比較大的對象,store對象可能變得相當臃腫
單一狀態樹 state state 唯一數據源
提交狀態機 reducer mutations 用於處理同步操作,唯一可以修改 state 的地方
處理異步操作 effects action 調用提交狀態機更改狀態樹

使用

dva: model connect UI

// new model:models/products.js
export default {
  namespace: 'products',
  state: [],
  reducers: {
    'delete'(state, { payload: id }) {
      return state.filter(item => item.id !== id);
    },
  },
};
//connect model
export default connect(({ products }) => ({
  products,
}))(Products);

//dispatch model reduce
dispatch model reduce({
  type: 'products/delete',
  payload: id,
})

如有異步操作,如ajax請求,dispath model effects,然後effects調用model reduce
vuex

// new module
const store = new Vuex.Store({
  state: {
    count: 1
  },
  mutations: {
    increment (state) {
      state.count++
    }
  },
  actions: {
    increment (context) {
      context.commit('increment')
    }
  }
})
//bind UI
<input v-model="$store.state[modelesName].name"/>
//commit module mutation 
store.commit('increment')

如有異步操作,如ajax請求,dispath module actions,然後actions調用module mutations

store.dispatch({
  type: 'incrementAsync',
  amount: 10
})

到此這篇關於vue轉react入門指南的文章就介紹到這瞭,更多相關vue轉react內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet! 

推薦閱讀: