天天看點

Vue前端開發規範

一、強制

1. 元件名為多個單詞

元件名應該始終是多個單詞的,根元件 App 除外。

正例:

export default {
  name: 'TodoItem',
  // ...
}           

反例:

export default {
  name: 'Todo',
  // ...
}           

2. 元件資料

元件的 data 必須是一個函數。

當在元件中使用 data 屬性的時候 (除了 new Vue 外的任何地方),它的值必須是傳回一個對象的函數。

// In a .vue file
export default {
  data () {
    return {
      foo: 'bar'
    }
  }
}
// 在一個 Vue 的根執行個體上直接使用對象是可以的,
// 因為隻存在一個這樣的執行個體。
new Vue({
  data: {
    foo: 'bar'
  }
})
           
export default {
  data: {
    foo: 'bar'
  }
}           

3. Prop定義

Prop 定義應該盡量詳細。

在你送出的代碼中,prop 的定義應該盡量詳細,至少需要指定其類型。

props: {
  status: String
}
// 更好的做法!
props: {
  status: {
    type: String,
    required: true,
    validator: function (value) {
      return [
        'syncing',
        'synced',
        'version-conflict',
        'error'
      ].indexOf(value) !== -1
    }
  }
}

           
// 這樣做隻有開發原型系統時可以接受
props: ['status']           

4. 為v-for設定鍵值

總是用 key 配合 v-for。

在元件上_總是_必須用 key 配合 v-for,以便維護内部元件及其子樹的狀态。甚至在元素上維護可預測的行為,比如動畫中的對象固化 (object constancy),也是一種好的做法。

<ul>
  <li
    v-for="todo in todos"
    :key="todo.id"
  >
    {{ todo.text }}
  </li>
</ul>           
<ul>
  <li v-for="todo in todos">
    {{ todo.text }}
  </li>
</ul>           

5.避免 v-if 和 v-for 用在一起

永遠不要把 v-if 和 v-for 同時用在同一個元素上。

一般我們在兩種常見的情況下會傾向于這樣做:

  • 為了過濾一個清單中的項目 (比如 v-for="user in users" v-if="user.isActive")。在這種情形下,請将 users 替換為一個計算屬性 (比如 activeUsers),讓其傳回過濾後的清單。
  • 為了避免渲染本應該被隐藏的清單 (比如 v-for="user in users" v-if="shouldShowUsers")。這種情形下,請将 v-if 移動至容器元素上 (比如 ul, ol)。
<ul v-if="shouldShowUsers">
  <li
    v-for="user in users"
    :key="user.id"
  >
    {{ user.name }}
  </li>
</ul>           
<ul>
  <li
    v-for="user in users"
    v-if="shouldShowUsers"
    :key="user.id"
  >
    {{ user.name }}
  </li>
</ul>           

6. 為元件樣式設定作用域

對于應用來說,頂級 App 元件和布局元件中的樣式可以是全局的,但是其它所有元件都應該是有作用域的。

這條規則隻和單檔案元件有關。你不一定要使用 scoped 特性。設定作用域也可以通過 CSS Modules,那是一個基于 class 的類似 BEM 的政策,當然你也可以使用其它的庫或約定。

不管怎樣,對于元件庫,我們應該更傾向于選用基于 class 的政策而不是 scoped 特性。

這讓覆寫内部樣式更容易:使用了常人可了解的 class 名稱且沒有太高的選擇器優先級,而且不太會導緻沖突。

<template>
  <button class="c-Button c-Button--close">X</button>
</template>

<!-- 使用 BEM 約定 -->
<style>
.c-Button {
  border: none;
  border-radius: 2px;
}

.c-Button--close {
  background-color: red;
}
</style>
           
<template>
  <button class="btn btn-close">X</button>
</template>

<style>
.btn-close {
  background-color: red;
}
</style>

<template>
  <button class="button button-close">X</button>
</template>

<!-- 使用 `scoped` 特性 -->
<style scoped>
.button {
  border: none;
  border-radius: 2px;
}

.button-close {
  background-color: red;
}
</style>
           

二、強烈推薦(增強可讀性)

1. 元件檔案

隻要有能夠拼接檔案的建構系統,就把每個元件單獨分成檔案。

當你需要編輯一個元件或查閱一個元件的用法時,可以更快速的找到它。

components/
|- TodoList.vue
|- TodoItem.vue           
Vue.component('TodoList', {
  // ...
})

Vue.component('TodoItem', {
  // ...
})           

2. 單檔案元件檔案的大小寫

單檔案元件的檔案名應該要麼始終是單詞大寫開頭 (PascalCase)
components/
|- MyComponent.vue           
components/
|- myComponent.vue
|- mycomponent.vue           

3. 基礎元件名

應用特定樣式和約定的基礎元件 (也就是展示類的、無邏輯的或無狀态的元件) 應該全部以一個特定的字首開頭,比如 Base、App 或 V。
components/
|- BaseButton.vue
|- BaseTable.vue
|- BaseIcon.vue           
components/
|- MyButton.vue
|- VueTable.vue
|- Icon.vue           

4. 單例元件名

隻應該擁有單個活躍執行個體的元件應該以 The 字首命名,以示其唯一性。

這不意味着元件隻可用于一個單頁面,而是每個頁面隻使用一次。這些元件永遠不接受任何 prop,因為它們是為你的應用定制的,而不是它們在你的應用中的上下文。如果你發現有必要添加 prop,那就表明這實際上是一個可複用的元件,隻是目前在每個頁面裡隻使用一次。

components/
|- TheHeading.vue
|- TheSidebar.vue           
components/
|- Heading.vue
|- MySidebar.vue           

5. 緊密耦合的元件名

和父元件緊密耦合的子元件應該以父元件名作為字首命名。

如果一個元件隻在某個父元件的場景下有意義,這層關系應該展現在其名字上。因為編輯器通常會按字母順序組織檔案,是以這樣做可以把相關聯的檔案排在一起。

components/
|- TodoList.vue
|- TodoListItem.vue
|- TodoListItemButton.vue
components/
|- SearchSidebar.vue
|- SearchSidebarNavigation.vue
           
components/
|- SearchSidebar.vue
|- NavigationForSearchSidebar.vue           

6. 元件名中的單詞順序

元件名應該以進階别的 (通常是一般化描述的) 單詞開頭,以描述性的修飾詞結尾。
components/
|- SearchButtonClear.vue
|- SearchButtonRun.vue
|- SearchInputQuery.vue
|- SearchInputExcludeGlob.vue
|- SettingsCheckboxTerms.vue
|- SettingsCheckboxLaunchOnStartup.vue
           
components/
|- ClearSearchButton.vue
|- ExcludeFromSearchInput.vue
|- LaunchOnStartupCheckbox.vue
|- RunSearchButton.vue
|- SearchInput.vue
|- TermsCheckbox.vue
           

7. 模闆中的元件名大小寫

總是 PascalCase 的
<!-- 在單檔案元件和字元串模闆中 -->
<MyComponent/>           
<!-- 在單檔案元件和字元串模闆中 -->
<mycomponent/>
<!-- 在單檔案元件和字元串模闆中 -->
<myComponent/>           

8. 完整單詞的元件名

元件名應該傾向于完整單詞而不是縮寫。
components/
|- StudentDashboardSettings.vue
|- UserProfileOptions.vue           
components/
|- SdSettings.vue
|- UProfOpts.vue           

9. 多個特性的元素

多個特性的元素應該分多行撰寫,每個特性一行。
<img
  src="https://vuejs.org/images/logo.png"
  alt="Vue Logo"
>
<MyComponent
  foo="a"
  bar="b"
  baz="c"
/>           
<img src="https://vuejs.org/images/logo.png" alt="Vue Logo">
<MyComponent foo="a" bar="b" baz="c"/>           

10. 模闆中簡單的表達式

元件模闆應該隻包含簡單的表達式,複雜的表達式則應該重構為計算屬性或方法。

複雜表達式會讓你的模闆變得不那麼聲明式。我們應該盡量描述應該出現的是什麼,而非如何計算那個值。而且計算屬性和方法使得代碼可以重用。

<!-- 在模闆中 -->
{{ normalizedFullName }}
// 複雜表達式已經移入一個計算屬性
computed: {
  normalizedFullName: function () {
    return this.fullName.split(' ').map(function (word) {
      return word[0].toUpperCase() + word.slice(1)
    }).join(' ')
  }
}
           
{{
  fullName.split(' ').map(function (word) {
    return word[0].toUpperCase() + word.slice(1)
  }).join(' ')
}}           

11. 簡單的計算屬性

computed: {
  basePrice: function () {
    return this.manufactureCost / (1 - this.profitMargin)
  },
  discount: function () {
    return this.basePrice * (this.discountPercent || 0)
  },
  finalPrice: function () {
    return this.basePrice - this.discount
  }
}

           
computed: {
  price: function () {
    var basePrice = this.manufactureCost / (1 - this.profitMargin)
    return (
      basePrice -
      basePrice * (this.discountPercent || 0)
    )
  }
}

           

12. 帶引号的特性值

非空 HTML 特性值應該始終帶引号 (單引号或雙引号,選你 JS 裡不用的那個)。

在 HTML 中不帶空格的特性值是可以沒有引号的,但這樣做常常導緻帶空格的特征值被回避,導緻其可讀性變差。

<AppSidebar :style="{ width: sidebarWidth + 'px' }">           
<AppSidebar :style={width:sidebarWidth+'px'}>           

13. 指令縮寫

都用指令縮寫 (用 : 表示 v-bind: 和用 @ 表示 v-on:)
<input
  @input="onInput"
  @focus="onFocus"
>           
<input
  v-bind:value="newTodoText"
  :placeholder="newTodoInstructions"
>           

三、推薦

1. 單檔案元件的頂級元素的順序

單檔案元件應該總是讓<script>、<template> 和 <style> 标簽的順序保持一緻。且 <style> 要放在最後,因為另外兩個标簽至少要有一個。
<!-- ComponentA.vue -->
<template>...</template>
<script>/* ... */</script>
<style>/* ... */</style>           

四、謹慎使用 (有潛在危險的模式)

1. 沒有在 v-if/v-if-else/v-else 中使用 key

如果一組 v-if + v-else 的元素類型相同,最好使用 key (比如兩個 <div> 元素)。
<div
  v-if="error"
  key="search-status"
>
  錯誤:{{ error }}
</div>
<div
  v-else
  key="search-results"
>
  {{ results }}
</div>
           
<div v-if="error">
  錯誤:{{ error }}
</div>
<div v-else>
  {{ results }}
</div>           

2. scoped 中的元素選擇器

元素選擇器應該避免在 scoped 中出現。

在 scoped 樣式中,類選擇器比元素選擇器更好,因為大量使用元素選擇器是很慢的。

<template>
  <button class="btn btn-close">X</button>
</template>

<style scoped>
.btn-close {
  background-color: red;
}
</style>
           
<template>
  <button>X</button>
</template>

<style scoped>
button {
  background-color: red;
}
</style>           

3. 隐性的父子元件通信

應該優先通過 prop 和事件進行父子元件之間的通信,而不是 this.$parent 或改變 prop。
Vue.component('TodoItem', {
  props: {
    todo: {
      type: Object,
      required: true
    }
  },
  template: `
    <input
      :value="todo.text"
      @input="$emit('input', $event.target.value)"
    >
  `
})           
Vue.component('TodoItem', {
  props: {
    todo: {
      type: Object,
      required: true
    }
  },
  methods: {
    removeTodo () {
      var vm = this
      vm.$parent.todos = vm.$parent.todos.filter(function (todo) {
        return todo.id !== vm.todo.id
      })
    }
  },
  template: `
    <span>
      {{ todo.text }}
      <button @click="removeTodo">
        X
      </button>
    </span>
  `
})
           

4. 非 Flux 的全局狀态管理

應該優先通過 Vuex 管理全局狀态,而不是通過 this.$root 或一個全局事件總線。
// store/modules/todos.js
export default {
  state: {
    list: []
  },
  mutations: {
    REMOVE_TODO (state, todoId) {
      state.list = state.list.filter(todo => todo.id !== todoId)
    }
  },
  actions: {
    removeTodo ({ commit, state }, todo) {
      commit('REMOVE_TODO', todo.id)
    }
  }
}
<!-- TodoItem.vue -->
<template>
  <span>
    {{ todo.text }}
    <button @click="removeTodo(todo)">
      X
    </button>
  </span>
</template>

<script>
import { mapActions } from 'vuex'

export default {
  props: {
    todo: {
      type: Object,
      required: true
    }
  },
  methods: mapActions(['removeTodo'])
}
</script>
           
// main.js
new Vue({
  data: {
    todos: []
  },
  created: function () {
    this.$on('remove-todo', this.removeTodo)
  },
  methods: {
    removeTodo: function (todo) {
      var todoIdToRemove = todo.id
      this.todos = this.todos.filter(function (todo) {
        return todo.id !== todoIdToRemove
      })
    }
  }
})
           

附錄

1. 推薦使用vs code進行前端編碼,規定Tab大小為2個空格

  1. vs code配置
{
  "editor.tabSize": 2,
  "workbench.startupEditor": "newUntitledFile",
  "workbench.iconTheme": "vscode-icons",
  // 以下為stylus配置
  "stylusSupremacy.insertColons": false, // 是否插入冒号
  "stylusSupremacy.insertSemicolons": false, // 是否插入分好
  "stylusSupremacy.insertBraces": false, // 是否插入大括号
  "stylusSupremacy.insertNewLineAroundImports": false, // import之後是否換行
  "stylusSupremacy.insertNewLineAroundBlocks": false, // 兩個選擇器中是否換行
  "vetur.format.defaultFormatter.html": "js-beautify-html",
  "eslint.autoFixOnSave": true,
  "eslint.validate": [
    "javascript",
    {
      "language": "html",
      "autoFix": true
    },
    {
      "language": "vue",
      "autoFix": true
    },
    "javascriptreact",
    "html",
    "vue"
  ],
  "eslint.options": { "plugins": ["html"] },
  "prettier.singleQuote": true,
  "prettier.semi": false,
  "javascript.format.insertSpaceBeforeFunctionParenthesis": false,
  "vetur.format.js.InsertSpaceBeforeFunctionParenthesis": false,
  "vetur.format.defaultFormatter.js": "prettier",
  // "prettier.eslintIntegration": true
}
           
  1. vs code 插件
  • Auto Close Tag
  • Path Intellisense
  • Prettier
  • Vetur
  • vscode-icons

原文釋出時間為:2018年04月21日

原文作者:silianpan

本文來源: 

掘金 https://juejin.im/entry/5b3a29f95188256228041f46

如需轉載請聯系原作者

繼續閱讀