Vite 创建Vue3项目及基础使用

Vite 法语意为 "快速的",发音 /vit/,下一代前端开发与构建的工具,等于现在的webpack。

第一感觉:npm run dev 的时候跑项目飞快

创建vue3项目

# npm 版本, 安装vu3之前需要检查npm版本号,对号入座:
npm -v 

# npm 6.x
npm init vite@latest my-vue-app --template vue

# npm 7+, 需要额外的双横线:
npm init vite@latest my-vue-app -- --template vue

安装依赖

npm i

运行项目

npm run dev

VSC安装vue3配套插件Volar

相信使用 vscode 和 vue2的同学对 vetur 这个插件一定不会陌生。

认识页面 template script style

<script setup>


</script>

<template>
 
</template>

<style scoped>

</style>

从上面的代码可以看到,<script setup></script>标签和<template></template>标签顺序已经更换了,但我还是习惯vue2顺序,且<script setup></script>标签中必须使用setup关键字定义。

vue3响应式视图更新数据 ref

不同于vue的data和methods,vue3是这样创建响应式对象的,在vue3中需要用到ref才能触发视图的更新。

<template>
    {{msg}}
    <button @click="changeName">更换名字</button>
</template>

<script setup>
import {ref} from 'vue'
let msg = ref('李白')
function changeName(){
    msg.value = '杜甫'
}
</script>
<template>
    {{user.username}}
    {{user.age}}
    <button @click="changeAge">更换</button>
</template>

<script setup>
import {ref} from 'vue'
let user = ref({
    username:'李白',
    age: 18
})
function changeAge(){
    user.value.age = 14
}
</script>

从上面2个demo来看,我们vue3的数据响应式需要如此来搞,是不是发现似乎有些繁琐?逻辑有些古怪?

响应式reactive 取代ref,恢复正常的写法,相当于vue2的data

<template>
    {{user.username}}
    {{user.age}}
    <button @click="changeName">更换</button>
</template>

<script setup>
import {reactive} from 'vue'
const user = reactive({
    username:'李白',
    age: 18
})
function changeName(){
    user.username = '王安石'
}
</script>

reactive解包写法

<template>
    <button @click="changeName">更换</button>
    {{user.username}}
    {{user2.username}}
</template>

<script setup>
import {ref,reactive} from 'vue'

const user = ref({
    username:'李白',
})

const user2 = reactive(user.value)
function changeName(){
    user2.username = '杜甫'
}
</script>

这里关注到 {{user2.username}}


事件对象和传递参数

<template>
    {{user}}
     <button @click="changeName('江山',$event)">更换</button>
</template>

<script setup>
import {ref} from 'vue'
let user = ref('李白')
function changeName(username,event){
    user.value = username
    //console.log(event);
    console.log(username,event);
}
</script>

计算属性

反序输出字符串

<template>
    {{reMsg}}
</template>

<script setup>
import {ref,computed} from 'vue'
let msg = ref('hello')
const reMsg = computed(() => {
    return msg.value.split('').reverse().join('')
})
</script>

侦听属性

<template>
    {{msg}}
    {{user.name}}
</template>

<script setup>
import {ref,reactive,watch} from 'vue'
let msg = ref('hello')
let user = reactive({
    name:'雷柏',
    age: 20
})
watch(msg,(newValue,oldValue)=>{
    console.log(newValue);
    console.log(oldValue);
})
watch(
    ()=>user.name,
    (newValue,oldValue)=>{
    console.log(newValue);
    console.log(oldValue);
}
)
</script>

父子组件传值:子组件用defineProps接收父组件传过来的值

值得注意的是,vue3中引入组件不在需要注入,直接Import 引入,使用即可
子组件

<template>
    {{title}} --- {{content}}
</template>

<script setup>
import { defineProps } from 'vue';
    const props = defineProps({
        title: String,
        content: String
    })
</script>

<style scoped>

</style>

父组件

<template>
    <HelloWorld :title="article.title" :content="article.content"></HelloWorld>
</template>

<script setup>
import HelloWorld from './components/HelloWorld.vue'
import { reactive } from 'vue';
let article = reactive({
    title: '满江红',
    content: '岁岁年年花相似'
})
</script>

父子组件传值:子组件发布自定义事件,通知父组件修改值 defineEmits

子组件发布事件

<template>
    {{title}} --- {{content}}
    <button @click="btn">修改</button>
</template>

<script setup>
import { defineProps,defineEmits } from 'vue';
    const props = defineProps({
        title: String,
        content: String
    })
    const emit = defineEmits(['modifyContent','modifyTitle'])
    function btn(){
        emit('modifyContent')
        emit('modifyTitle')
    }
</script>

<style scoped>

</style>

父组件修改值

<template>
    <HelloWorld 
    :title="article.title" 
    :content="article.content"
    @modifyContent = "changeContent()"
    @modifyTitle = "changeTitle()"
    ></HelloWorld>
</template>

<script setup>
import HelloWorld from './components/HelloWorld.vue'
import { reactive } from 'vue';
let article = reactive({
    title: '满江红',
    content: '岁岁年年花相似'
})
function changeContent(){
    article.title = '秦时明月'
}
function changeTitle(){
    article.content = '巴山楚水凄凉地'
}
</script>


路由的创建与使用 vue3需要4.0版本的路由,store也是

安装:

 npm i vue-router

创建路由脚本:src目录下>创建router目录>index.js



编写脚本:/src/router/index.js

import {
    createRouter,
    createWebHashHistory,
    createWebHistory
} from 'vue-router'
import Home from '../views/Home.vue'
import About from '../views/About.vue'
import Buycart from '../views/Buycart.vue'
const routes = [
    {
        path: '/home',
        component: Home,
        name: 'home'
    },
    {
        path: '/about',
        component: About,
        name: 'about'
    },
    {
        path: '/buycart',
        component: Buycart,
        name: 'buycart'
    },
    {
        path: '/product',
        component: () =>import('../views/Product.vue'),
        name: 'product'
    }
]

const router = createRouter({
    history: createWebHistory(), 
    routes,
})

export default router

main.js

import { createApp } from 'vue'
import App from './App.vue'
import router from './router/index'
createApp(App).use(router).mount('#app') //use必须要在mount之前

路由使用

<template>
    <div>
        <router-view></router-view>
        <router-link to="/home">跳转首页</router-link>
      <button @click="router.push('/product')">跳转至产品页面</button>
      <button @click="goTo">跳转至产品页面</button>
    </div>
</template>

<script setup>
import { useRoute,useRouter } from 'vue-router';

let route = useRoute()
let router = useRouter()
function goTo(){
    console.log(route);
    router.push('/product')
}
</script>

<style scoped>

</style>

安装vuex,需要下一代版本,官网默认也是4.0x版本

npm i vuex@next --save

创建目录/src/store/index.js

import { createStore } from 'vuex'

// 创建一个新的 store 实例
const store = createStore({
  state () {
    return {
      count: 0
    }
  },
  mutations: {
    increment (state,payload) {
      state.count += payload
    }
  },
  getters:{
      totalPrice(state) {
          return state.count*99.9
      }
  },
  actions:{
      asyncAdd(store,payload){
          setTimeout(()=>{
              store.commit('increment',payload)
          },1000)
      }
  }
})

export default store

main.js引入

import { createApp } from 'vue'
import App from './App.vue'
import router from './router/index'
import store from './store/index'
createApp(App).use(router).use(store).mount('#app') //use必须要在mount之前

页面使用

<template>
  <div>
      <h1>购物车</h1>
      <h2>商品数量{{store.state.count}}</h2>
      <h2>商品总价{{store.getters.totalPrice}}</h2>
      <button @click="addProd">添加商品数量+2</button>
      <button @click="asyncAddProd">异步添加商品数量+10</button>
  </div>
</template>

<script setup>
import { useStore } from 'vuex';

let store = useStore()
function addProd(){
    store.commit('increment',2)
}
function asyncAddProd(){
    store.dispatch('asyncAdd',10)
}
</script>

suspense内置新增组件,defineAsyncComponent异步封装组件

调用组件

<template>
  <!-- suspense内置新增组件,数据加载回来的时做些什么,数据没回来之前做些什么 -->
  <suspense>
      <template #fallback>
          <h1>Loading</h1>
      </template>
      <template #default>
         <HomeCom></HomeCom>
      </template>
  </suspense>
</template>

<script setup>
import * as api from '../api/index'
// vue3异步请求
import { onMounted,defineAsyncComponent } from 'vue';
//异步请求组件
const HomeCom = defineAsyncComponent(()=>import('../components/HomeCom.vue'))
onMounted(async() =>{
    let res = await api.getHomepage()
    //console.log(res);
})
</script>

组件

<template>
    <h1>首页</h1>
    <ul>
        <li v-for="(item,i) in hero">
            <h3>{{item.category}}</h3>
        </li>
    </ul>
</template>

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

推荐阅读更多精彩内容