vue3使用知识点总结

一、vue3 项目搭建

npm 6.x

npm init vite@latest myvue3 --template vuevue 3.2.26

使用 element plus ui 框架

npm i -S element plus
//全部引入
import ElementPlus from 'element-plus';
import 'element-plus/dist/index.css';
const Vue = createApp(App);
Vue.use(ElementPlus);

使用 scss

npm install --save-dev sass-loader
npm install --save-dev node-sass
npm install --save-dev sass

vite.config

import { defineConfig } from 'vite';
import vue from '@vitejs/plugin-vue';// https://vitejs.dev/config/
export default defineConfig({publicPath: './', //打包路径css: {//配置scss全局变量和方法preprocessorOptions: {scss: {additionalData: "@use './src/assets/scss/style.scss' as *;"}}},plugins: [vue()]
});

二、vu3 语法部分

生命周期

vue2vue3
beforeCreatesetup
createdsetup
beforeMountonBeforeMount
mountedonMounted
beforeUpdateonBeforeUpdate
updatedonUpdated
beforeDestoryonBeforeUnmount
destoryedonUnmounted

路由

import { useRoute,useRouter } from 'vue-router';const router = useRouter();
const route = useRoute();

状态管理

import {useStore} from 'vuex';const store = useStore();

reactive

返回对象的响应式副本

注意:
reactive 返回的对象,重新赋值丢失响应式
reactive 返回的对象不可以解构

const form = reactive({name: 'aa',age: 20
});const { name, age } = form; //通过解构 此时name,age会丢失响应 要想让它具有响应式 需要通过toRefs处理
const { name, age } = toRefs(form); //此时name,age具有响应

ref

所有通过 ref 创建的数据 需要通过 xxx.value 取它的值, 在模板中无需通过.value。
可以简单地把 ref(obj) 理解为这个样子 reactive({value: obj})

import { ref } from "vue";
const count = ref(1);console.log(cout.value);  //1
  • ref获取单个dom元素
<div ref="root"></div>
import { ref } from "vue";
const root = ref(null);
onMounted(() => {console.log(root.value)  //dom元素
}),
  • ref获取v-for中dom元素
<ul><li :ref="setLiDom" v-for="(item, index) in state.list" :key="index">{{ item }}</li>
</ul>
import { ref, reactive } from "vue";
const state = reactive({list: [1, 2, 3, 4]
})const refList = ref([]);const setLiDom = (el) => {if(el){liItem.value.push(el);}
};onMounted(() => {console.log(root.value)  //Proxy {0: li, 1: li, 2: li, 3: li}
}),

toRef 和 toRefs

  • toRef 用来为源响应式对象上的某个 property 新创建一个 ref。
const state = reactive({foo: 1,bar: 2
});//目的使state对象中的foo属性保持响应式连接,修改其中一个都会同步修改那个属性
const fooRef = toRef(state, 'foo');
  • toRefs 将响应式对象转换为普通对象,其中结果对象的每个 property 都是指向原始对象相应 property 的 ref。
//toRefs常用于 es6 的解构赋值操作,保持每个属性的都为响应式
setup(){let data = reactive({name: '张三',age: 18});return {...toRefs(data)}
}

toRaw 、markRaw

通过toRaw获取到原始对象,改变原始对象的值会同时改变响应式对象的值,但不会更新视图

const foo = {}
const reactiveFoo = reactive(foo)//reactiveFoo 和 foo 是引用的同一个地址console.log(toRaw(reactiveFoo) === foo) // true

通过markRaw包裹的原始对象,使其永远不会转换为响应式对象,也就是说转换之后修改值并不会更新视图

const foo = markRaw({})
console.log(isReactive(reactive(foo))) // false

unref

如果参数是一个 ref,则返回内部值,否则返回参数本身

let obj = ref({ a: 1, b: 2 });let reult = isRef(obj) ? obj.value : obj;
//等价于
let reult = unref(obj);

shallowRef 和 triggerRef

setup() {//shallowRef创建一个比ref更浅的响应式对象,改变其属性值,不会触发监听const foo = shallowRef({a: 1111,b: 2222});setTimeout(() => {foo.value.a = 3333;triggerRef(foo); //需要手动触发才能改变a的值}, 2000);watchEffect(() => {console.log(foo.value.a); //1111  3333});return {foo};
}

defineProps 和 defineEmits

在 <script setup> 中必须使用 defineProps 和 defineEmits API 来声明 props 和 emits

<script setup>
const props = defineProps({foo: String
})const emit = defineEmits(['change', 'delete'])
</script>立即触发回调函数

defineExpose

使用 <script setup> 的组件是默认关闭的,也就是说通过 ref 和$parent 是无法访问到的
解决办法:

import { ref } from 'vue';
const a = 1;
const b = ref(2);
defineExpose({ a, b });

computed

vue3中不再支持filter过滤器,vue2 中的filter 使用计算属性computed或者方法代替

import { computed, ref } from "vue";const count = ref(1);
const total = computed(()=>{//需要根据传递的参数进行计算// return (val)=>{//     return val + count.value;// }return count.vallue;
})
setInterval(() => {count.value ++;
}, 1000);

watch、watchEffect

与选项式 API 中的 watch 完全等效

语法:watch(source, callback, [options])

options: deep(深度监听) 、immediate(立即触发回调函数)

// 侦听一个 getter
const state = reactive({ count: 0 });
watch(() => state.count,(count, prevCount) => {/* ... */}
);// 直接侦听一个 ref
const count = ref(0);
watch(count, (count, prevCount) => {/* ... */
});//侦听多个数据
//注意多个同步更改只会触发一次侦听器。
watch([fooRef, barRef], ([foo, bar], [prevFoo, prevBar]) => {/* ... */
});

与watch的区别:
1、不需要指定监听的值,回调仅在侦听源发生变化时被调用
2、初始化会执行一次
3、watchEffect只能拿到变化后的值

    import { watchEffect } from 'vue';watchEffect(() => {/* ... */})

watchEffect 与 watch 的区别:

provide、inject

依赖注入,用来实现深层次组件之间的数据传递

//parent
import { reactive, readonly, provide } from 'vue';
const updateInfo = () => {baseInfo.name = '李四';baseInfo.age = 20;
};const baseInfo = reactive({name: '张三',age: 12,updateInfo: updateInfo
});  //此时的baseInfo是响应式的, 添加readonly是为了防止孙子组件直接修改值
provide('baseInfo', readonly(baseInfo));//son
import { inject } from 'vue';const info = inject('baseInfo');
console.log(info); //{ name:"张三", age:12, updateInfo: function }const changeValue = () => {info.updateInfo();
};

slot (vue 内置组件)

属性:

  • name - string, 用于具名插槽

用法:

1 、基本使用和默认值
//父组件
<div><child-com>只有子组件有插槽我就显示</child-com>
</div>//子组件child-com
<div><slot>我是插槽默认值</slot>
</div>//页面显示
只有子组件有插槽我就显示
2 、具名插槽

v-slot:插槽名 可以简写为 #插槽名

动态插槽名: v-slot:[dynamicSlotName]

//父组件
<div><child-com><template v-slot:header>头部1111</template><template #center>中间222</template><template #footer>底部333</template></child-com>
</div>//子组件child-com
<div><div class="top">上边显示:<slot name="header"></slot></div><div class="center">中间显示:<slot name="center"></slot></div><div class="bottom">底部显示:<slot name="footer"></slot></div>
</div>//页面显示
上边显示:头部1111
中间显示:中间222
底部显示:底部333
3 、作用域插槽

子组件的数据可以在父组件中使用

使用场景:
当一个组件被用来渲染一个数组元素时,我们使用插槽,并且希望插槽中没有显示每项的内容;

//父组件
<div><child-com><template #title="scope"><h1>{{ scope.msg }}</h1></template><template v-slot:default="{ row, index }"><span>{{ index }}、</span><span>{{ row.name }}</span>-<span>{{ row.age }}</span></template></child-com>
</div>//子组件child-com
<div><slot :msg="data.msg" name="title"></slot><div v-for="(item, index) in data.list" :key="index"><slot :row="item" :index="index"></slot></div>
</div>
import { reactive } from 'vue';
const data = reactive({msg: 'hello world',list: [{name: 'jane',age: 12},{name: 'xiaoming',age: 18}]
});//页面显示
hello world
0、jane - 12
1、xiaoming - 18

teleport (vue 内置组件)

功能:能够将我们的模板或者组件移动到相应的 DOM 元素中

属性:

  • to - string, 必须是有效的目标元素,例如:body、#some-id、.some-class
  • disabled - boolean, 为 true 表示移动到 to 指定的目标元素, false 表示不移动,

用法:

<teleport to="body"><div class="model"></div>
</teleport><teleport to="#app"><child-component name="hero"></child-component>
</teleport>

注意事项:

  • 被移动的组件不会影响传值
  • 在同一目标上使用多个 teleport,实际上是一个追加的过程
  • 如果在组件上动态切换 disabled 的值,并不会导致其销毁和重新创建

transition (vue 内置组件)

复习 css:
缩写: transition: property duration timing-function delay;

  • transition-property
  • transition-duration
  • transition-timing-function: linear|ease|ease-in|ease-out|ease-in-out|cubic-bezier(n,n,n,n);
  • transition-delay
属性
  • name - string 用于自动生成 CSS 过渡类名

  • appear - boolean 是否在初始渲染时使用过渡。默认为 false。

  • css - boolean 是否使用 CSS 过渡类。默认为 true。如果设置为 false,将只通过组件事件触发注册的 JavaScript 钩子

  • type - string 指定过渡事件类型。可选值 "transition" 和 "animation"。默认自动检测出持续时间长的为过渡事件类型。

  • mode - string 控制离开/进入过渡的时间序列。有效的模式有 "out-in" 和 "in-out"

    • 为了解决两个元素相互显示时,会同时执行过渡

css 过渡 和 css 动画
//html
<div id="demo"><button @click="show = !show">Toggle</button><transition name="fade"><p v-if="show">hello</p></transition>
</div>//css过渡
.fade-enter-active,
.fade-leave-active {transition: all 1s ease;
}.fade-enter-active,
.fade-leave-active {transition: all 1s;
}.fade-enter-from {transform: translateY(200px);opacity: 0;
}
.fade-leave-to {transform: translateX(200px);opacity: 0;
}//css动画
.fade-enter-active {animation: bounce-in 1s;
}.fade-leave-active {animation: bounce-in 1s reverse;
}@keyframes bounce-in {0% {transform: scale(0);}50% {transform: scale(1.25);}100% {transform: scale(1);}
}
使用 三方库 animate.css
//安装 版本记录 4.1.1
npm install animate.css --save
//引入
import 'animate.css';

自定义过渡类名:
enter-from-class
enter-active-class
enter-to-class
leave-from-class
leave-active-class
leave-to-class

使用:

<transitionenter-active-class="animate__animated animate__tada"leave-active-class="animate__animated animate__bounce"
><div v-show="flag">hello world</div>
</transition>
transition 的 JavaScript 钩子
<transition@before-enter="beforeEnter"@enter="enter"@after-enter="afterEnter"@enter-cancelled="enterCancelled"@before-leave="beforeLeave"@leave="leave"@after-leave="afterLeave"@leave-cancelled="leaveCancelled":css="false"
><!-- ... -->
</transition>

Setup() 函数特性

setup() 函数接收两个参数:props、context(包含attrs、slots、emit)
setup()函数处于生命周期 beforeCreated 两个钩子函数之前
执行setup时,组件实例尚未被创建(在setup()内部,this不会是该活跃实例的引用,即不指向vue 实例,Vue 为了避免我们错误的使用,直接将setup 函数中的this 修改成了undefined)
与模版一起使用时,需要返回一个对象
因为setup函数中,props时响应式得,当传入新的prop时,它就会被更新,所以不能使用es6解构,因为它会消除 prop得响应性,如果需要解构prop,可以通过使用setup函数中torefs 来完成此操作。
在setup()内使用响应式数据时,需要通过.value 获取
从setup()中返回得对象上得property 返回并且可以在模版中被访问时,它将自动展开为内部值。不需要在模版中追加.value.
Setup 函数只能是同步的不能是异步的。

vue2和vue3的不同之处

1.双向数据绑定原理不同
Vue2 的双向数据绑定是利用ES5的一个APIObject.definePropert() 对数据进行劫持,结合发布订阅模式的方式来实现的。

Vue3 中使用ES6的Proxy API对数据代理。

Vue3 使用数据代理的优势有以下几点:1)definePropert 只能监听某个属性,不能对整个对象进行监听 2)可以省去for in,闭包等内容来提升效率(直接绑定整个对象即可)3)可以监听数组,不用再单独的对数组做特异性操作,Vue3可以检测到数组内部数据的变化

2.是否支持碎片
Vue2 不支持碎片。Vue3 支持碎片,就是说可以拥有多个根节点

3.API 类型不同
Vue2 使用选项类型api,选项型api 在代码里分割了不同的属性:data,computed,method等。

Vue3 使用合成型api,新的合成型api 能让我们使用方法来分割,相比于旧的api 使用属性来分组,这样代码会更加简便和整洁。

4定义数据变量和方法不同
Vue2是把数据放到了data 中,在 Vue2中 定义数据变量是data(){},创建的方法要在method:{}

Vue3 就需要使用一个新的setup()方法,此方法在组件初始化构造的时候触发。使用以下三个步骤来建立反应性数据:1)从vue 引入 reactive;2)使用 reactive ()方法来声明数据为响应性数据;3) 使用setup()方法来返回我们的响应性数据,从而template 可以获取这些响应性数据。

5.生命周期钩子函数不同
Vue2 中的生命周期:beforeCreate 组件创建之前;created 组建创建之后;beforeMount 组件挂载到页面之前执行;Mounted 组件挂载到页面之后执行,beforeUpdate 组件更新之前;updated组件更新之后

Vue3 中的生命周期:setup 开始创建组件;onBeforeMount 组件挂载到页面之前执行;onMounted 组件挂载到页面之后执行;onBeforeUpdate 组件更新之前;onUpdated 组件更新之后;

而且 Vue3 生命周期在调用前需要先进行引入。除了这些钩子函数外,Vue3 还增加了 onRenderTracked 和onRenderTriggered 函数。

6.父子传参不同
Vue2 父传子,用props ;子传父用事件Emitting Events。在Vue2 中,会调用this$emit 然后传入事件名和对象。

Vue3 父传子,用props;子传父用Emitting Events 。在Vue3 中的setup()中的第一参数content 对象中就有 emit,那么我们只要在setup()接收第二个参数中使用分解对象法取出emit 就可以在setup 方法中随意使用了。

7.指令与插槽不同
Vue2 中使用slot 可以直接使用slot ;v-for 与v-if 在Vue2中优先级高的是v-for 指令,而且不建议一起使用。

Vue3 中必须是使用v-slot的形式;vue 3中v-for 与v-if ,只会把当前v-if 当作v-for 的一个判断语句,不会相互冲突;

Vue3 中移除keyCode 作为v-on 的修饰符,当然也不支持config.keyCodes,取而代之的是使用键名来作为事件的修饰符来使用,于是Vue.config.keyCodes 也被弃用了-vue2我们在监听按键事件的时候,是可以通过在事件后面加上按键码来实现监听某一个按键的

8.Main.js 文件不同

Vue2中我们可以使用pototype(原型)的形式去进行操作,引入的是构造函数。

Vue3 中需要使用结构的形式进行操作,引入的是工厂函数;

Vue3中app组件中可以没有根标签。

Vue3中获取组件实例的方法

1、使用$ref获取实例

Vue3中使用$ref获取组件实例跟Vue2的用法基本一致,只不过需要使用Vue3提供的ref函数来进行实例的绑定。下面我们将通过示例来演示如何使用$ref获取组件实例。

const app = Vue.createApp({setup() {const myComponentRef = Vue.ref(null);return {myComponentRef};}});app.component('my-component', {template: `{{ message }}`,data() {return {message: 'Hello World!'};}});const vm = app.mount('#app');// 获取组件实例const myComponentInstance = vm.$refs.myComponentRef;console.log(myComponentInstance.message); // Hello World!

2、使用provide/inject获取实例

Vue3中提供了provide/inject来进行组件之间的依赖注入。我们可以在父组件中provide某个实例,在子组件中使用inject来获取这个实例。下面我们将通过示例来演示如何使用provide/inject获取组件实例。

// 父组件
const app = Vue.createApp({provide() {return {myService: Vue.ref(null)};},mounted() {this.$refs.myComponentRef.initService(this.myService);}
});app.component('my-component', {template: `{{ message }}`,props: ['initService'],mounted() {this.initService(this.myService);},data() {return {message: 'Hello World!'};},setup() {const myService = Vue.ref(null);return {myService};}
});// 子组件
app.component('my-other-component', {template: `{{ myService.message }}`,inject: ['myService']
});const vm = app.mount('#app');

3、使用v-for获取多个实例

如果我们需要获取多个组件实例,我们可以使用v-for来遍历一个组件数组,然后在每个组件上使用v-slot来获取实例。下面我们将通过示例来演示如何使用v-for获取多个组件实例。

const app = Vue.createApp({setup() {const myComponents = Vue.ref([{message: 'Hello World!'}, {message: 'Hello Vue3!'}]);return {myComponents};}
});app.component('my-component', {template: `{{ message }}`,props: ['myComponent'],data() {return {message: this.myComponent.message};}
});const vm = app.mount('#app');// 遍历组件数组
<template v-for="(myComponent, index) in myComponents"><my-component :key="index" :my-component="myComponent" v-slot="{ $ }"><button @click="$refs[index].message = 'Hello AI!'">Change Message</button></my-component>
</template>// 获取组件实例
const myComponentInstance1 = vm.$refs[0];
const myComponentInstance2 = vm.$refs[1];
console.log(myComponentInstance1.message); // Hello World!
console.log(myComponentInstance2.message); // Hello Vue3!

4、使用async/await获取动态组件实例

如果我们需要获取一个动态创建的组件实例,我们可以使用async/await来等待组件创建完成,然后使用$refs获取组件实例。下面我们将通过示例来演示如何使用async/await获取动态组件实例。

const app = Vue.createApp({setup() {const compName = Vue.ref('my-component');const loadComponent = async () => {const { default: dynamicComponent } = await import('./DynamicComponent.vue');app.component('dynamic-component', dynamicComponent);};return {compName,loadComponent};}
});app.component('my-component', {template: `{{ message }}`,data() {return {message: 'Hello World!'};}
});const vm = app.mount('#app');// 使用async/await等待组件创建完成
vm.loadComponent().then(() => {const dynamicComponentInstance = vm.$refs.dynamicComponent.$refs['my-dynamic-component'];console.log(dynamicComponentInstance.message); // Hello Dynamic Component!
});// 动态组件
<dynamic-component><my-component ref="my-dynamic-component"></my-component>
</dynamic-component>

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/97221.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

腾讯会议录制没有声音?看完这篇你就懂了

“腾讯会议录制的视频怎么没有声音呀&#xff1f;老师用腾讯会议上网课&#xff0c;就想用腾讯会议内置的录屏功能录下来&#xff0c;可是录制的视频没有声音&#xff01;真的服了&#xff0c;有没有人知道怎么解决的&#xff0c;帮帮忙。” 腾讯会议是一种常用的远程会议工具…

基于遗传算法的新能源电动汽车充电桩与路径选择(Matlab代码实现)

&#x1f4a5;&#x1f4a5;&#x1f49e;&#x1f49e;欢迎来到本博客❤️❤️&#x1f4a5;&#x1f4a5; &#x1f3c6;博主优势&#xff1a;&#x1f31e;&#x1f31e;&#x1f31e;博客内容尽量做到思维缜密&#xff0c;逻辑清晰&#xff0c;为了方便读者。 ⛳️座右铭&a…

iTOP-RK3588开发板使用 tensorflow框架

TensorFlow 是一个软件库或框架&#xff0c;由 Google 团队设计&#xff0c;以最简单的方式实现机器学习和深度学习概念。它结合了优化技术的计算代数&#xff0c;便于计算许多数学表达式。TensorFlow 有以下 重要功能 - 它包含一个叫做张量概念&#xff0c;用来创建多维数组&…

【密评】商用密码应用安全性评估从业人员考核题库(五)

商用密码应用安全性评估从业人员考核题库&#xff08;五&#xff09; 国密局给的参考题库5000道只是基础题&#xff0c;后续更新完5000还会继续更其他高质量题库&#xff0c;持续学习&#xff0c;共同进步。 1001 单项选择题 下列分组密码认证模式中&#xff0c;使用密钥最少的…

深入浅出DAX:购买推荐及产品ABC分类分析

深入浅出DAX&#xff1a;购买推荐及产品ABC分类分析 DAX运算求值的三步骤。首先是检测筛选&#xff0c;然后将筛选功能应用于基础表格&#xff0c;最后计算结果。DAX中的筛选器函数是复杂且功能强大的函数。例如筛选函数可用于操作数据上下文来创建动态计算。 01、使用细节说…

Spring Boot如何配置CORS支持

Spring Boot如何配置CORS支持 CORS&#xff08;跨源资源共享&#xff09;是一种Web浏览器的安全性功能&#xff0c;用于控制网页上的脚本文件从不同的源加载其他网页资源。在开发现代Web应用程序时&#xff0c;通常需要跨域请求不同的资源&#xff0c;如API服务或其他Web应用程…

前端系列-1 HTML+JS+CSS基础

背景&#xff1a; 前端系列会收集碎片化的前端知识点&#xff0c;作为自己工作和学习时的字典&#xff0c;欢迎读者收藏和使用。 笔者是后端开发&#x1f636;前端涉猎不深&#xff0c;因此文章重在广度和实用&#xff0c;对原理和性能不会过多深究。 1.html 1.1 html5网页结…

嵌入式处理趋势,第一部分:超集成MCU

当今的嵌入式微控制器&#xff08;MCU&#xff09;是协同和创新的惊人例子。单个芯片上可容纳30,000至2百万个门&#xff0c;直到最近&#xff0c;各种集成的组件和模块都被视为独立的高级IC。 例如&#xff0c;当前典型的MCU设备&#xff08;下面的图1&#xff09;可能包含以…

Quarto 入门教程 (1):简单介绍和资料汇总

本推文是 “手把手教你使用 Quarto 构建文档” 教程的第一部分&#xff0c;本文先介绍 Quarto 构建文档的原理&#xff1b;可创建的文档类型&#xff1b;对应的参考资源分享。 下一部分&#xff0c;会手把手介绍如何使用它&#xff08;下次推文吧&#xff5e;&#xff09;。 …

Springboot使用Aop保存接口请求日志到mysql(及解决Interceptor拦截器中引用mapper和service为null)

一、Springboot使用Aop保存接口请求日志到mysql 1、添加aop依赖 <!-- aop日志 --><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-aop</artifactId></dependency> 2、新建接口保存数据…

排序算法之【归并排序】

&#x1f4d9;作者简介&#xff1a; 清水加冰&#xff0c;目前大二在读&#xff0c;正在学习C/C、Python、操作系统、数据库等。 &#x1f4d8;相关专栏&#xff1a;C语言初阶、C语言进阶、C语言刷题训练营、数据结构刷题训练营、有感兴趣的可以看一看。 欢迎点赞 &#x1f44d…

chrome窗口

chrome 窗口的层次&#xff1a; 父窗口类名&#xff1a;Chrome_WidgetWin_1 有两个子窗口&#xff1a; Chrome_RenderWidgetHostHWNDIntermediate D3D Window // 用于匹配 Chrome 窗口的窗口类的前缀。 onst wchar_t kChromeWindowClassPrefix[] L"Chrome_WidgetWin_…

《低代码指南》——低代码维格云服务菜单

简介​ 快速了解付费客户能够获得维格服务团队哪些服务,本篇内容不包含使用免费试用版本的客户。 了解维格表产品价格与功能权益:戳我看价格与权益​ 客户付费后能得到哪些服务项目?​ 常规服务项目:

一、Excel VBA 是个啥?

Excel VBA 从入门到出门一、Excel VBA 是个啥&#xff1f;二、Excel VBA 简单使用 &#x1f44b;Excel VBA 是个啥&#xff1f; ⚽️1. Excel 中的 VBA 是什么&#xff1f;⚽️2. 为什么 VBA 很重要&#xff1f;⚽️3. 是否有无代码方法可以在 Excel 中实现工作流程自动化&…

深挖 Python 元组 pt.1

哈喽大家好&#xff0c;我是咸鱼 好久不见甚是想念&#xff0c;2023 年最后一次法定节假日已经结束了&#xff0c;不知道各位小伙伴是不是跟咸鱼一样今天就开始“搬砖”了呢&#xff1f; 我们知道元组&#xff08;tuple&#xff09;是 Python 的内置数据类型&#xff0c;tupl…

Qt扫盲-QTreeView 理论总结

QTreeView 理论使用总结 一、概述二、快捷键绑定三、提高性能四、简单实例1. 设计与概念2. TreeItem类定义3. TreeItem类的实现4. TreeModel类定义5. TreeModel类实现6. 在模型中设置数据 一、概述 QTreeView实现了 model 中item的树形表示。这个类用于提供标准的层次列表&…

C#封装、继承和多态的用法详解

大家好&#xff0c;今天我们将来详细探讨一下C#中封装、继承和多态的用法。作为C#的三大面向对象的特性&#xff0c;这些概念对于程序员来说非常重要&#xff0c;因此我们将对每个特性进行详细的说明&#xff0c;并提供相应的示例代码。 目录 1. 封装&#xff08;Encapsulati…

【用unity实现100个游戏之14】Unity2d做一个建造与防御类rts游戏

前言 欢迎来到本次教程&#xff0c;我将为您讲解如何使用 Unity 引擎来开发一个建造与防御类 RTS&#xff08;即实时战略&#xff09;游戏。 在本教程中&#xff0c;我们将学习如何创建 2D 场景、设计 2D 精灵、制作 2D 动画、响应用户输入、管理游戏数据、以及其他有关游戏开…

机器学习7:pytorch的逻辑回归

一、说明 逻辑回归模型是处理分类问题的最常见机器学习模型之一。二项式逻辑回归只是逻辑回归模型的一种类型。它指的是两个变量的分类&#xff0c;其中概率用于确定二元结果&#xff0c;因此“二项式”中的“bi”。结果为真或假 — 0 或 1。 二项式逻辑回归的一个例子是预测人…

HarmonyOS学习路之方舟开发框架—学习ArkTS语言(状态管理 八)

其他状态管理概述 除了前面章节提到的组件状态管理和应用状态管理&#xff0c;ArkTS还提供了Watch和$$来为开发者提供更多功能&#xff1a; Watch用于监听状态变量的变化。$$运算符&#xff1a;给内置组件提供TS变量的引用&#xff0c;使得TS变量和内置组件的内部状态保持同步…