Vue | (三)使用Vue脚手架(下)| 尚硅谷Vue2.0+Vue3.0全套教程

文章目录

  • 📚Vue 中的自定义事件
    • 🐇使用方法
    • 🐇案例练习
    • 🐇TodoList案例优化
  • 📚全局事件总线
    • 🐇使用方法
    • 🐇案例练习
    • 🐇TodoList案例优化
  • 📚消息订阅与发布
    • 🐇使用方法
    • 🐇TodoList案例优化
      • ⭐️把删除一个todo(`deleteTodo`)改成消息订阅与发布
      • ⭐️添加编辑todo效果
      • ⭐️内容不为空限制
      • ⭐️点击编辑按钮自动获取焦点
  • 📚Vue封装的过度与动画
    • 🐇使用方法
    • 🐇案例练习
    • 🐇TodoList案例优化

学习链接:尚硅谷Vue2.0+Vue3.0全套教程丨vuejs从入门到精通,本文对应p79-p95,博客参考尚硅谷公开笔记,补充记录实操。

📚Vue 中的自定义事件

🐇使用方法

  • 区别于JS里的内置事件。

  • 一种组件间通信的方式,适用于:子组件 ===> 父组件

  • 使用场景:A是父组件,B是子组件,B想给A传数据,那么就要在A中给B绑定自定义事件(事件的回调在A中)。

  • 绑定自定义事件:

    • 第一种方式,在父组件中:<Demo @atguigu="test"/><Demo v-on:atguigu="test"/>
    • 第二种方式,在父组件中:
      <Demo ref="demo"/>
      ......
      mounted(){
         this.$refs.xxx.$on('atguigu',this.test)
      }
      
  • 若想让自定义事件只能触发一次,可以使用once修饰符,或$once方法。

  • 触发自定义事件:this.$emit('atguigu',数据)

  • 解绑自定义事件this.$off('atguigu'),多个一起解绑套在一个数组里。this.$off() ,解绑所有的自定义事件。

  • 组件上也可以绑定原生DOM事件,需要使用native修饰符。

  • 注意:通过this.$refs.xxx.$on('atguigu',回调)绑定自定义事件时,回调要么配置在methods中要么用箭头函数,否则this指向会出问题!


🐇案例练习

  • 案例实现,实操见真知😄
  • Student-Test.vue
    <template>
    	<div class="student">
    		<h2>学生姓名:{{name}}</h2>
    		<h2>学生性别:{{sex}}</h2>
    		<h2>当前求和为:{{number}}</h2>
    		<button @click="add">点我number++</button>
    		<button @click="sendStudentlName">把学生名给App</button>
    		<button @click="unbind">解绑atguigu事件</button>
    		<button @click="death">销毁当前Student组件的实例(vc)</button>
    	</div>
    </template>
    
    <script>
    	export default {
    		name:'Student-Test',
    		data() {
    			return {
    				name:'右一',
    				sex:'女',
    				number:0
    			}
    		},
    		methods: {
    			add(){
    				console.log('add回调被调用了')
    				this.number++
    			},
    			sendStudentlName(){
    				//触发Student组件实例身上的atguigu事件
    				this.$emit('atguigu',this.name,666,888,900)
    				// this.$emit('demo')
    				// this.$emit('click')
    			},
    			unbind(){
    				this.$off('atguigu') //解绑一个自定义事件
    				console.log('解绑了')
    				// this.$off(['atguigu','demo']) //解绑多个自定义事件(写在一个数组里)
    				// this.$off() //解绑所有的自定义事件
    			},
    			death(){
    				//销毁了当前Student组件的实例,销毁后所有Student实例的自定义事件全都不奏效。
    				//和视频里展示的不一样,现在销毁后原生num++也不奏效了,不论是console还是响应式。
    				this.$destroy() 
    				console.log('销毁了')
    			}
    		},
    	}
    </script>
    
    <style scoped>
    	.student{
    		background-color: pink;
    		padding: 5px;
    		margin-top: 30px;
    	}
    </style>
    
  • School-Test.vue
    <template>
    	<div class="school">
    		<h2>学校名称:{{name}}</h2>
    		<h2>学校地址:{{address}}</h2>
    		<button @click="sendSchoolName">把学校名给App</button>
    	</div>
    </template>
    
    <script>
    	export default {
    		name:'School-Test',
    		props:['getSchoolName'],
    		data() {
    			return {
    				name:'哔哩哔哩大学',
    				address:'bilibili',
    			}
    		},
    		methods: {
    			sendSchoolName(){
    				this.getSchoolName(this.name)
    			}
    		},
    	}
    </script>
    
    <style scoped>
    	.school{
    		background-color: skyblue;
    		padding: 5px;
    	}
    </style>
    
  • App.vue
    <template>
    	<div class="app">
    		<h1>{{msg}}学生姓名是:{{studentName}}</h1>
    
    		<!-- 通过父组件给子组件传递函数类型的props实现:子给父传递数据 -->
    		<School :getSchoolName="getSchoolName"/>
    
    		<!-- 通过父组件给子组件绑定一个自定义事件实现:子给父传递数据(第一种写法,使用@或v-on) -->
    		<!-- <Student @atguigu="getStudentName" @demo="m1"/> -->
    
    		<!-- 通过父组件给子组件绑定一个自定义事件实现:子给父传递数据(第二种写法,使用ref) -->
    		<Student ref="student" @click.native="show"/>
    	</div>
    </template>
    
    <script>
    	import Student from './components/Student-Test'
    	import School from './components/School-Test'
    
    	export default {
    		name:'App',
    		components:{School,Student},
    		data() {
    			return {
    				msg:'你好啊!',
    				studentName:''
    			}
    		},
    		methods: {
    			getSchoolName(name){
    				console.log('App收到了学校名:',name)
    			},
    			getStudentName(name,...params){
    				console.log('App收到了学生名:',name,params)
    				this.studentName = name
    			},
    			m1(){
    				console.log('demo事件被触发了!')
    			},
    			show(){
    				alert(123)
    			}
    		},
    		mounted() {
    			this.$refs.student.$on('atguigu',this.getStudentName) //绑定自定义事件
    			// this.$refs.student.$once('atguigu',this.getStudentName) //绑定自定义事件(一次性)
    		},
    	}
    </script>
    
    <style scoped>
    	.app{
    		background-color: gray;
    		padding: 5px;
    	}
    </style>
    
  • num++
    在这里插入图片描述
  • 发送学生名在这里插入图片描述
  • 解绑
    在这里插入图片描述
  • 解绑后学生名发不出去了
    在这里插入图片描述
  • 销毁
    在这里插入图片描述
  • num++可点击,但不奏效
    在这里插入图片描述

🐇TodoList案例优化

  • 所有涉及到子组件给父组件传输的:
    • 添加一个todo,addTodo
    • 底部全选,checkAllTodo
    • 清除已完成,clearAllTodo
    • addTodo为例,
      • 首先,在App.vue中把:addTodo="addTodo"改为@addTodo="addTodo"
      • 而后在UserHeader中把props去除(不用接收了)。
      • 功能实现处:
        // 通知APP组件去添加一个todo对象
        this.$emit('addTodo',todoObj)
        

📚全局事件总线

🐇使用方法

  1. 一种组件间通信的方式,适用于任意组件间通信

  2. 安装全局事件总线

    new Vue({
    	......
    	beforeCreate() {
    		Vue.prototype.$bus = this //安装全局事件总线,$bus就是当前应用的vm
    	},
        ......
    }) 
    
  3. 使用事件总线

    • 接收数据:A组件想接收数据,则在A组件中给$bus绑定自定义事件,事件的回调留在A组件自身

      methods(){
        demo(data){......}
      }
      ......
      mounted() {
        this.$bus.$on('xxxx',this.demo)
      }
      
    • 提供数据:this.$bus.$emit('xxxx',数据)

  4. 最好在beforeDestroy钩子中,用$off去解绑当前组件所用到的事件。


🐇案例练习

  • main.js:安装全局事件总线。
    //引入Vue
    import Vue from 'vue'
    //引入App
    import App from './App.vue'
    //关闭Vue的生产提示
    Vue.config.productionTip = false
    
    //创建vm
    new Vue({
    	el:'#app',
    	render: h => h(App),
    	beforeCreate() {
    		Vue.prototype.$bus = this //安装全局事件总线
    	},
    })
    
  • Student-Test.vue:提供数据。
    <template>
    	<div class="student">
    		<h2>学生姓名:{{name}}</h2>
    		<h2>学生性别:{{sex}}</h2>
    		<button @click="sendStudentName">把学生名给School组件</button>
    	</div>
    </template>
    
    <script>
    	export default {
    		name:'Student-Test',
    		data() {
    			return {
    				name:'youyi',
    				sex:'女',
    			}
    		},
    		methods: {
    			sendStudentName(){
    				this.$bus.$emit('hello',this.name)
    			}
    		},
    	}
    </script>
    
    <style scoped>
    	.student{
    		background-color: pink;
    		padding: 5px;
    		margin-top: 30px;
    	}
    </style>
    
  • School-Test.vue:接收数据。
    <template>
    	<div class="school">
    		<h2>学校名称:{{name}}</h2>
    		<h2>学校地址:{{address}}</h2>
    	</div>
    </template>
    
    <script>
    	export default {
    		name:'School-Test',
    		data() {
    			return {
    				name:'哔哩哔哩大学',
    				address:'bilibili',
    			}
    		},
    		mounted() {
    			// console.log('School',this)
    			this.$bus.$on('hello',(data)=>{
    				console.log('我是School组件,收到了数据',data)
    			})
    		},
    		beforeDestroy() {
    			this.$bus.$off('hello')
    		},
    	}
    </script>
    
    <style scoped>
    	.school{
    		background-color: skyblue;
    		padding: 5px;
    	}
    </style>
    
    在这里插入图片描述

🐇TodoList案例优化

  • 把“爷孙”之间的改成全局事件总线:
    • 勾选一个todo,checkTodo
    • 删除一个todo,deleteTodo
    • 修改点:
      • 在main.js安装全局事件总线
        new Vue({
        	el:'#app',
        	render: h => h(App),
        	beforeCreate(){
        		Vue.prototype.$bus = this
        	}
        })
        
      • checkTododeleteTodo不用给List传了,List对应也不用接收了。同样的,List也不用给Item,后者也不收了。也就是之前的层级传递过程删掉。
      • 收数据的(App.vue)绑定事件总线。
        mounted(){
        	this.$bus.$on('checkTodo',this.checkTodo)
        	this.$bus.$on('deleteTodo',this.deleteTodo)
        },
        beforeDestroy(){
        	this.$bus.$off('checkTodo')
        	this.$bus.$off('deleteTodo')
        }
        
      • Item提供数据。
        methods:{
            // 勾选or取消勾选
            handleCheck(id){
                // 通知App组件将对应的todo对象的done值取反
                this.$bus.$emit('checkTodo',id)
            },
            // 删除
            handleDelete(id){
                if(confirm('确定删除吗?')){
                    // 通知App组件删除
                    this.$bus.$emit('deleteTodo',id)
                }
            }
        }
        

📚消息订阅与发布

🐇使用方法

  1. 一种组件间通信的方式,适用于任意组件间通信

  2. 使用步骤

    • 安装pubsub:npm i pubsub-js
    • 引入: import pubsub from 'pubsub-js'
    • 接收数据:A组件想接收数据,则在A组件中订阅消息,订阅的回调留在A组件自身
      methods(){
        demo(data){......}
      }
      ......
      mounted() {
        this.pid = pubsub.subscribe('xxx',this.demo) //订阅消息
      }
      
    1. 提供数据pubsub.publish('xxx',数据)

    2. 最好在beforeDestroy钩子中,用PubSub.unsubscribe(pid)取消订阅

🐇TodoList案例优化

⭐️把删除一个todo(deleteTodo)改成消息订阅与发布

  • 引入pubsub库(用到的vue都需要引入),import pubsub from 'pubsub-js'
  • App.vue需要数据,订阅消息。这里需要methods里deleteTodo(_,id)_占个位。
    mounted(){
    	this.$bus.$on('checkTodo',this.checkTodo)
    	this.pubId = pubsub.subscribe('deleteTodo',this.deleteTodo)
    },
    beforeDestroy(){
    	this.$bus.$off('checkTodo')
    	pubsub.unsubscribe(this.pubId)
    }
    
  • UserItem.vue提供数据。
    methods:{
        // 勾选or取消勾选
        handleCheck(id){
            // 通知App组件将对应的todo对象的done值取反
            this.$bus.$emit('checkTodo',id)
        },
        // 删除
        handleDelete(id){
            if(confirm('确定删除吗?')){
                // 通知App组件删除
                pubsub.publish('deleteTodo',id)
            }
        }
    }
    

⭐️添加编辑todo效果

  • UserItem.vue样式添加编辑按钮。
    在这里插入图片描述
  • UserItem.vue
    <template>
        <li>
            <label>
                <input type="checkbox" :checked="fasong.done" @change="handleCheck(fasong.id)"/>
                <span v-show="!fasong.isEdit">{{fasong.title}}</span>
                <input 
                    type="text" 
                    v-show="fasong.isEdit" 
                    :value="fasong.title"
                    @blur="handleBlur(fasong,$event)"
                >
            </label>
            <button class="btn btn-danger" @click="handleDelete(fasong.id)">删除</button>
            <button v-show="!fasong.isEdit" class="btn btn-edit" @click="handleEdit(fasong)">编辑</button>
        </li>
    </template>
    
    <script>
        import pubsub from 'pubsub-js'
        export default {
            name:'UserItem',
            // 声明接收发送内容
            props:['fasong'],
            methods:{
                // 勾选or取消勾选
                handleCheck(id){
                    // 通知App组件将对应的todo对象的done值取反
                    this.$bus.$emit('checkTodo',id)
                },
                // 删除
                handleDelete(id){
                    if(confirm('确定删除吗?')){
                        // 通知App组件删除
                        pubsub.publish('deleteTodo',id)
                    }
                },
                //编辑
                handleEdit(fasong){
                    // 已经有了isEdit
                    if(fasong.hasOwnProperty.call('isEdit')){
                        fasong.isEdit = true
                    }else{
                        this.$set(fasong,'isEdit',true)
                    }
                },
                // 失去焦点回调(真正执行修改)
                handleBlur(fasong,e){
                    fasong.isEdit = false
                    this.$bus.$emit('updateTodo',fasong.id,e.target.value)
                }
            }
        }
    </script>
    
  • App.vue
    <template>
    	<div id="root">
    		<div class="todo-container">
    			<div class="todo-wrap">
    				<UserHeader @addTodo="addTodo"></UserHeader>
    				<UserList :todos="todos"></UserList>
    				<UserFooter :todos="todos" @checkAllTodo="checkAllTodo" @clearAllTodo="clearAllTodo"></UserFooter>
    			</div>
    		</div>
    	</div>
    
    </template>
    
    <!-- App.vue -->
    <script>
    	import pubsub from 'pubsub-js'
    	import UserHeader from './components/UserHeader.vue'
    	import UserList from './components/UserList'
    	import UserFooter from './components/UserFooter'
    	
    	export default {
    		name:'App',
    		components:{UserHeader,UserList,UserFooter},
    		data(){
                return{
                    todos:JSON.parse(localStorage.getItem('todos')) || []
                }
            },
    		methods:{
    			// 数据在哪,对数据的操作就在哪
    			// 添加一个todo
    			addTodo(todoObj){
    				this.todos.unshift(todoObj)
    			},
    			// 勾选or取消勾选一个todo
    			checkTodo(id){
    				this.todos.forEach((todo)=>{
    					if(todo.id === id) todo.done = !todo.done
    				})
    			},
    			// 修改一个todo
    			updateTodo(id,title){
    				this.todos.forEach((todo)=>{
    					if(todo.id === id) todo.title = title
    				})
    			},
    			// 删除一个todo
    			deleteTodo(_,id){
    				// this.todos = this.todos.filter((todo)=>{
    				// 	return todo.id !== id
    				// })
    				// 精简写法
    				this.todos = this.todos.filter(todo => todo.id != id)
    			},
    			// 全选or取消全选
    			checkAllTodo(done){
    				this.todos.forEach((todo)=>{
    					todo.done = done
    				})
    			},
    			// 清除所有已经完成的todo
    			clearAllTodo(){
    				this.todos = this.todos.filter((todo)=>{
    					return !todo.done
    				})
    			}
    		},
    		watch:{
    			todos:{
    				// 开启深度监视
    				deep:true,
    				handler(value){
    					localStorage.setItem('todos',JSON.stringify(value))
    				}
    			}
    		},
    		mounted(){
    			this.$bus.$on('checkTodo',this.checkTodo)
    			this.$bus.$on('updateTodo',this.updateTodo)
    			this.pubId = pubsub.subscribe('deleteTodo',this.deleteTodo)
    		},
    		beforeDestroy(){
    			this.$bus.$off('checkTodo')
    			this.$bus.$off('updateTodo')
    			pubsub.unsubscribe(this.pubId)
    		}
    	}
    </script>
    
    • 准备编辑
      在这里插入图片描述
    • 正在编辑(按钮不显示)
      在这里插入图片描述
    • 焦点移除,修改
      在这里插入图片描述

⭐️内容不为空限制

// 失去焦点回调(真正执行修改)
handleBlur(fasong,e){
    fasong.isEdit = false
    if(!e.target.value.trim()) return alert('输入不能为空')
    this.$bus.$emit('updateTodo',fasong.id,e.target.value)
}

在这里插入图片描述

⭐️点击编辑按钮自动获取焦点

this.$nextTick(function(){
   this.$refs.inputTitle.focus()
})
  • 🔥 nextTick
    • 语法:this.$nextTick(回调函数)
    • 作用:在下一次 DOM 更新结束后执行其指定的回调。
    • 什么时候用:当改变数据后,要基于更新后的新DOM进行某些操作时,要在nextTick所指定的回调函数中执行。

📚Vue封装的过度与动画

🐇使用方法

  1. 作用:在插入、更新或移除 DOM元素时,在合适的时候给元素添加样式类名。
  2. 写法
    • 准备好样式

      • 元素进入的样式:
        • v-enter:进入的起点
        • v-enter-active:进入过程中
        • v-enter-to:进入的终点
      • 元素离开的样式:
        • v-leave:离开的起点
        • v-leave-active:离开过程中
        • v-leave-to:离开的终点
          在这里插入图片描述
    • 使用<transition>包裹要过度的元素,并配置name属性:

      <transition name="hello">
      	<h1 v-show="isShow">你好啊!</h1>
      </transition>
      
    • 备注:若有多个元素需要过度,则需要使用:<transition-group>,且每个元素都要指定key值。

🐇案例练习

  • 过度效果

    <template>
    	<div>
    		<button @click="isShow = !isShow">显示/隐藏</button>
    		<transition name="hello" appear>
    			<h1 v-show="isShow">你好啊!</h1>
    		</transition>
    	</div>
    </template>
    
    <script>
    	export default {
    		name:'Final-Test',
    		data() {
    			return {
    				isShow:true
    			}
    		},
    	}
    </script>
    
    <style scoped>
    	h1{
    		background-color: pink;
    	}
    
    	.hello-enter-active{
    		animation: atguigu 0.5s linear;
    	}
    
    	.hello-leave-active{
    		animation: atguigu 0.5s linear reverse;
    	}
    
    	@keyframes atguigu {
    		from{
    			transform: translateX(-100%);
    		}
    		to{
    			transform: translateX(0px);
    		}
    	}
    </style>
    
  • 多个元素过度

    <template>
    	<div>
    		<button @click="isShow = !isShow">显示/隐藏</button>
    		<transition-group name="hello" appear>
    			<h1 v-show="!isShow" key="1">你好啊!</h1>
    			<h1 v-show="isShow" key="2">尚硅谷!</h1>
    		</transition-group>
    	</div>
    </template>
    
    <script>
    	export default {
    		name:'Final-Test2',
    		data() {
    			return {
    				isShow:true
    			}
    		},
    	}
    </script>
    
    <style scoped>
    	h1{
    		background-color: skyblue;
    	}
    	/* 进入的起点、离开的终点 */
    	.hello-enter,.hello-leave-to{
    		transform: translateX(-100%);
    	}
    	.hello-enter-active,.hello-leave-active{
    		transition: 0.5s linear;
    	}
    	/* 进入的终点、离开的起点 */
    	.hello-enter-to,.hello-leave{
    		transform: translateX(0);
    	}
    </style>
    
  • 集成第三方动画,animate.css官网

    <template>
    	<div>
    		<button @click="isShow = !isShow">显示/隐藏</button>
    		<transition-group 
    			appear
    			name="animate__animated animate__bounce" 
    			enter-active-class="animate__swing"
    			leave-active-class="animate__backOutUp"
    		>
    			<h1 v-show="!isShow" key="1">你好啊!</h1>
    			<h1 v-show="isShow" key="2">尚硅谷!</h1>
    		</transition-group>
    	</div>
    </template>
    
    <script>
    	// npm install animate.css
    	import 'animate.css'
    	export default {
    		name:'Final-Test3',
    		data() {
    			return {
    				isShow:true
    			}
    		},
    	}
    </script>
    
    <style scoped>
    	h1{
    		background-color: rgb(0, 255, 183);
    	}
    </style>
    

在这里插入图片描述

🐇TodoList案例优化

  • 让每一个todo的添加和删除都很柔和
    • 法①:UserItem.vue的整个li加过度和动画
    • 法②:在UserList.vue添加(关注多组是transition-group)(以下代码实现方式)
  • 结构部分
    <template>
        <ul class="todo-main">
            <transition-group name="todo" appear>
                <UserItem 
                    v-for="todoObj in todos" 
                    :key="todoObj.id" 
                    :fasong="todoObj" 
                ></UserItem>
            </transition-group>
        </ul>
    </template>
    
  • 样式部分
    .todo-enter-active{
        animation: atguigu 0.5s linear;
     }
    
     .todo-leave-active{
         animation: atguigu 0.5s linear reverse;
     }
    
     @keyframes atguigu {
         from{
             transform: translateX(100%);
         }
         to{
             transform: translateX(0px);
         }
     }
    

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

如若内容造成侵权/违法违规/事实不符,请联系我们进行投诉反馈qq邮箱809451989@qq.com,一经查实,立即删除!

相关文章

Java面试题:synchronized专题

王有志,一个分享硬核Java技术的互金摸鱼侠 加入Java人的提桶跑路群:共同富裕的Java人 今天是《面霸的自我修养》的第3弹,内容是Java并发编程中至关重要的关键字synchronized,作为面试中的“必考题”,这部分是你必须要充分准备的内容,接下来我们就一起一探究竟吧。数据来源…

React 事件处理 ( this问题 参数传递 ref)

React事件的命名采用小驼峰方式&#xff08;cameCase&#xff09;,而不是小写 使用JSX语法时你需要传入一个函数作为事件处理函数&#xff0c;而不是一个字符串 你不能通过返回false 的方式阻止默认行为。你必须显示式的使用preventDefault 1 this 需要谨慎对待JSX回调函数中的…

再见,Anaconda的安装和配置老大难问题!

一、什么是Anaconda&#xff1f; 1. 简介 Anaconda&#xff08;官方网站&#xff09;就是可以便捷获取包且对包能够进行管理&#xff0c;同时对环境可以统一管理的发行版本。Anaconda包含了conda、Python在内的超过180个科学包及其依赖项。 2. 特点 Anaconda具有如下特点&a…

以太坊 Dencun 升级与潜在机会

撰文&#xff1a;Biteye 核心贡献者 Fishery Isla 文章来源Techub News专栏作者&#xff0c;搜Tehub News下载查看更多Web3资讯。 以太坊网络升级 Dencun 测试网版本在 2024 年 1 月 17 日上线了 Goerli 测试网&#xff0c;1 月 30 日成功上线了 Sepolia 测试网&#xff0c;D…

使用python构建Android,探索跨平台应用开发Kivy框架

使用python构建Android&#xff0c;探索跨平台应用开发Kivy框架 1. 介绍Kivy框架 Kivy是什么&#xff1f; Kivy是一个开源的Python跨平台应用程序开发框架&#xff0c;旨在帮助开发者快速构建创新的、可扩展的移动应用和多点触控应用。Kivy采用MIT许可证&#xff0c;允许开发…

ARM处理器运行Windows系统的三防加固平板|亿道三防

大家好&#xff01;今天我要为大家介绍一款引人注目的三防加固平板电脑——亿道三防系列产品。它们采用高通ARM处理器&#xff0c;并能够运行Windows 11操作系统&#xff0c;给用户带来了前所未有的强大性能和多样化的应用体验。 首先&#xff0c;让我们来聊聊这款平板电脑的核…

Leetcode155(设计最小栈)

例题&#xff1a; 分析&#xff1a; 题目要求我们必须在常数时间内检索到最小元素。 我们可以使用两个栈&#xff08;A、B&#xff09;来实现&#xff0c;A栈用来正常存储数据、弹出数据&#xff0c; B栈用于存储A栈中的最小元素&#xff0c;如下图&#xff1a; 刚开始&#…

spring-security 过滤器

spring-security过滤器 版本信息过滤器配置过滤器配置相关类图过滤器加载过程创建 HttpSecurity Bean 对象创建过滤器 过滤器作用ExceptionTranslationFilter 自定义过滤器 本章介绍 spring-security 过滤器配置类 HttpSecurity&#xff0c;过滤器加载过程&#xff0c;自定义过…

QT设置窗口随窗体变化(窗口文本框随窗体的伸缩)

目录 1.建立新窗口2.最终效果 1.建立新窗口 1&#xff09;在窗体中创建一个 textBrowser&#xff0c;记录坐标及宽高 X-100 Y-130 宽-571 高-281&#xff0c;窗体宽高800*600&#xff1b; 2&#xff09;在.h头文件中插入void resizeEvent(QResizeEvent *event) override;函数 …

行测:国考省考行测:图形推理,四面体,正六面体的图形推理方法,箭头唯一法

国考省考行测&#xff1a;图形推理 2022找工作是学历、能力和运气的超强结合体! 公务员特招重点就是专业技能&#xff0c;附带行测和申论&#xff0c;而常规国考省考最重要的还是申论和行测&#xff0c;所以大家认真准备吧&#xff0c;我讲一起屡屡申论和行测的重要知识点 遇到…

使用Nginx或者Fiddler快速代理调试

1 背景问题 在分析业务系统程序问题时,存在服务系统环境是其它部门或者其它小组搭建或运维的,并且现在微服务时代,服务多且复杂,在个人机器上搭建起如此环境,要么费事费力,要么不具备充足条件。 急需有一种方法或者工具可以快速辅助调试定位分析问题。本文下面介绍代理方…

63-JQuery语法,选择器,事件,方法,遍历循环each

1.一个JS库,用js封装很多的方法放到一个文件里面,直接拿了用就可以 文件名带min是压缩过的不带min是没压缩过的 2.JQuery语法 通过选取HTML元素,并对选取的元素执行某些操作 基础语法:$(selector).action() <!-- 需要把JQuery文件先引入才能用 --><script src…

CentOS升级python

1、下载python39 https://mirrors.huaweicloud.com/python/3.9.0/Python-3.9.0.tgz2、拷贝到Linux环境&#xff08;当然也可以直接在Linux环境使用wget直接下载&#xff09; 先安装一下依赖&#xff0c;不然编译会有问题 sudo yum -y install zlib-devel bzip2-devel openssl…

类和对象 01【C++】

目录 一、 类的引入1. 类的定义2. 类的访问限定符及封装(1) 访问限定符(2) 封装 3. 类的实例化4. 类对象模型(1) 计算类对象的大小(2) 类对象的存储方式 5. this指针 二、 类的6个默认成员函数1. 构造函数2. 析构函数3. 拷贝构造函数4. 赋值运算符重载5. 取地址重载6. const取地…

Android13 针对low memory killer内存调优

引入概念 在旧版本的安卓系统中&#xff0c;当触发lmk&#xff08;low memory killer&#xff09;的时候一般认为就是内存不足导致&#xff0c;但是随着安卓版本的增加lmk的判断标准已经不仅仅是内存剩余大小&#xff0c;io&#xff0c;cpu同样会做评判&#xff0c;从而保证设备…

nc开发刚导入项目eclipse出现莫名其妙的错误,红叉,感叹号,文件missing

解决类出现红叉 解决感叹号&#xff0c;文件missing 其他问题 右上角的视图&#xff0c;要选择java&#xff0c;如果是javaEE也会有一些文件没有展示出来。

Py之pydantic:pydantic的简介、安装、使用方法之详细攻略

Py之pydantic&#xff1a;pydantic的简介、安装、使用方法之详细攻略 目录 pydantic的简介 1、Pydantic V1.10 vs. V2 pydantic的安装 pydantic的使用方法 1、简单的示例 pydantic的简介 pydantic是使用Python类型提示进行数据验证。快速且可扩展&#xff0c;Pydantic与您…

MT8788|MTK8788安卓核心板参数_4G联发科MTK模块

MT8788核心板是一款功能强大的4G全网通安卓智能模块。该模块采用了联发科AIOT芯片平台&#xff0c;具有长达8年的生命周期。MT8788模块内置了12nm制程的八核处理器&#xff0c;包括4个Cortex A73和4个Coretex A53&#xff0c;主频最高可达2.0GHZ。标配内存为4GB64GB&#xff0c…

ARM 之十六 详解 CMSIS 版本变迁、各组件使用示例

目前,CMSIS 已经发展到了第六版,其目录结构也发生了重大的变化。在不断发展中,很多原来 CMSIS 的组件被不断独立出去,并因此成立了很多开源社区,今天就来学习一下! 由于 CMSIS 已经包含了相当丰富的文档,因此,本文重点学习版本之间的变化以及一些实际使用示例。 什么是…