js-webApi 笔记2之DOM事件

news2024/11/17 19:47:36

目录

1、表单事件

 2、键盘事件

3、事件对象

4、排他思想

5、事件流 

 6、捕获和冒泡

 7、阻止默认和冒泡

8、事件委托

9、事件解绑

10、窗口加载事件

11、窗口尺寸事件

12、元素尺寸和位置

13、窗口滚动事件

14、日期对象

 15、节点

16、鼠标移入事件


1、表单事件

获取焦点   onfoucus
失去焦点    onblur

  <body>
    <input type="text" />
    <script>
      // onfocus onblur
      const ipt = document.querySelector('input')
      // 获取焦点
      ipt.addEventListener('focus', function () {
        console.log('获得焦点了!!!')
      })
      // 失去焦点
      ipt.addEventListener('blur', function () {
        console.log('失去焦点了!!!')
      })

      // js方法 focus() blur()
      ipt.focus()
    </script>
  </body>

 2、键盘事件

input事件      输入内容就触发   实时获取文本框内容
keyup       键盘抬起

keydown   键盘按下   获取的是上一次的内容

    事件执行顺序    keydown ---->input ----->keyup
    
    获取用户输入的完整内容  keyup 或 input

 <body>
    <textarea rows="10" cols="30" placeholder="请输入评论"> </textarea>
    <script>
      const tarea = document.querySelector('textarea')
      // input事件 输入内容就触发
      tarea.addEventListener('input', function () {
        console.log('正在输入')
        console.log(tarea.value)
      })
      tarea.addEventListener('keyup', function () {
        console.log('keyup')
        console.log(tarea.value)
      }),
        tarea.addEventListener('keydown', function () {
          console.log('keydown')
          console.log(tarea.value)
        })

      // 顺序 keydown -> input -> keyup
      // 获取用户输入的完整内容 keyup 或input
    </script>
  </body>

3、事件对象

事件对象:当事件发生后,浏览器会把当前事件相关的信息会封装成一个对象
获取: 事件处理程序的第一个形参
 常用事件对象属性     e.target---->事件源     e.key---->按键字符串

   e.key    判断按的是什么键
 

<!DOCTYPE html>
<html lang="en">
  <head>
    <meta charset="UTF-8" />
    <meta http-equiv="X-UA-Compatible" content="IE=edge" />
    <meta name="viewport" content="width=device-width, initial-scale=1.0" />
    <title>Document</title>
  </head>
  <body>
    <div class="box">1223</div>
    <textarea rows="10" cols="30" placeholder="请输入评论"> </textarea>
    <script>
      const tarea = document.querySelector('textarea')
      const box = document.querySelector('.box')

      /*
        事件对象:当事件发生后,浏览器会把当前事件相关的信息会封装成一个对象
        获取: 事件处理程序的第一个形参
        常用事件对象属性 e.target -> 事件源  e.key -> 按键字符串 
      */
      box.addEventListener('click', function (e) {
        console.log(e.target) // box
      })
      // input事件 输入内容就触发
      tarea.addEventListener('input', function () {
        console.log('正在输入')
        console.log(tarea.value)
      })
      tarea.addEventListener('keyup', function () {
        console.log('keyup')
        console.log(tarea.value)
      }),
        tarea.addEventListener('keydown', function (e) {
          console.log('keydown')
          console.log(e.key)
          if (e.key === 'Enter') {
            console.log('你按的是enter')
          }
        })

      // 顺序 keydown -> input -> keyup
      // 获取用户输入的完整内容 keyup 或input
    </script>
  </body>
</html>

4、排他思想

排他思想就是清除其他人的样式,只给自己设置

<!DOCTYPE html>
<html lang="en">
  <head>
    <meta charset="UTF-8" />
    <meta http-equiv="X-UA-Compatible" content="IE=edge" />
    <meta name="viewport" content="width=device-width, initial-scale=1.0" />
    <title>Document</title>
    <style>
      .box {
        display: flex;
      }

      .box div {
        width: 100px;
        height: 40px;
        background-color: skyblue;
        margin: 20px;
        text-align: center;
        line-height: 40px;
      }
    </style>
  </head>
  <body>
    <div class="box">
      <div>div1</div>
      <div>div2</div>
      <div>div3</div>
      <div>div4</div>
    </div>

    <script>
      // 需求 点击某个div div背景色变成红色
      // 1 获取所有div
      const divs = document.querySelectorAll('.box > div')
      // 2 循环绑定事件
      for (let i = 0; i < divs.length; i++) {
        divs[i].addEventListener('click', function () {
          //把其余的div背景色去掉 对当前点击的div设置
          // 先干掉所有人-> 让所有的div背景色清空
          for (let j = 0; j < divs.length; j++) {
            divs[j].style.backgroundColor = ''
          }
          // 再对自己设置
          // divs[i].style.backgroundColor = '#f00'
          this.style.backgroundColor = '#f00'
        })
      }
    </script>
  </body>
</html>

5、事件流 

事件流->事件完整执行过程中的流动路径

捕获阶段->目标阶段->冒泡阶段

window->document->html->body->div->body->html->document->window

  捕获阶段:document-- >html-->body-->div-->span

 目标阶段: sapn

 冒泡阶段: span-- > div-- > body-- > html-- > document

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Document</title>
</head>
<body>
    <div class="box"></div>
    <div class="son">son</div>
    <script>
        const box=document.querySelector('.box')
        const son=document.querySelector('.son')
        //捕获阶段   true
        window.addEventListener('click',function() {
            console.log('window')
        },true)
        document.addEventListener('click',function() {
            console.log('document')
        },true)
        document.documentElement.addEventListener('click',function() {
            console.log('html')

        },true)
        document.body.addEventListener('click',function() {
            console.log('body')
        },true)
        box.addEventListener('click',function() {
            console.log('box')
        },true)

        son.addEventListener('click',function() {
            console.log('son')
        })


        son.addEventListener('click',function() {
            console.log('son')
        },true)

        // 冒泡  false   默认冒泡
        window.addEventListener('click',function() {
            console.log('window')
        })
        document.addEventListener('click',function() {
            console.log('document')
        })
        document.documentElement.addEventListener('click',function() {
            console.log('html')

        })
        document.body.addEventListener('click',function() {
            console.log('body')
        })
        box.addEventListener('click',function() {
            console.log('box')
        })
     
    </script>
</body>
</html>

 6、捕获和冒泡

捕获和冒泡:

js里不会同时出现捕获和冒泡阶段,只能出现一个

传统事件 onclick只有冒泡阶段 传统事件中如果给一个元素添加多个相同的事件时会出现覆盖

事件监听addEventListener(事件类型,事件处理程序,布尔值)

事件监听可以给元素添加多个相同的事件,会自上而下按顺序执行

如果布尔值为空或false时,是冒泡阶段 为true时是捕获阶段

 7、阻止默认和冒泡

阻止默认和冒泡:

e.preventDefault() 阻止默认行为

e.stopPropagation() 阻止冒泡行为

<!DOCTYPE html>
<html lang="en">

<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Document</title>
    <style>
        .father {
            width: 500px;
            height: 400px;
            background-color: pink;
        }

        .son {
            width: 200px;
            height: 200px;
            background-color: yellowgreen;
        }
    </style>
</head>

<body>
    <div class="father">
        <div class="son"></div>
    </div>
    <a href="http://www.baidu.com">百度</a>
    <script>
        var father = document.querySelector('.father')
        var son = document.querySelector('.son')
        var a = document.querySelector('a')
        // e.preventDefault() 阻止默认行为

        a.addEventListener('click', function (e) {
            e.preventDefault()
        })
        //  e.stopPropagation() 阻止冒泡行为
        son.addEventListener('click', function (e) {
            // alert('我是1')
            alert('我是儿子')
            e.stopPropagation()
        })
     
        father.addEventListener('click', function () {
            alert('我是爸爸')
        }, false)
    </script>
</body>

</html>

8、事件委托

事件委托:给父元素添加事件来处理子元素,原理是使用冒泡 ,点击谁谁的背景颜色发生改变

e.target

ul li 中 给li设置背景颜色,给ul设置事件来设置li,提高了代码程序的性能

鼠标位置:clientX/Y    相对于可视窗口的X,Y轴的坐标

pageX/Y     是相对于页面的坐标

screenX/Y   相对于屏幕的位置

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Document</title>
</head>
<body>
    <ul>
        <li>iii</li>
        <li>bbb</li>
        <li>ccc</li>
        <li>sss</li>
    </ul>
    <script>
       
        const ul=document.querySelector('ul')
        ul.addEventListener('click',function(e) {
            e.target.style.backgroundColor='pink'
        })
    </script>

</body>
</html>

9、事件解绑

  <button>dom1</button>
    <button>dom2</button>

对dom 0 级进行解绑

    const btn=document.querySelectorAll('button')
        btn[0].onclick=function() {
            alert('dom1')
            btn[0].onclick='null'  //解绑dom 0 级
        }

对dom 2级进行解绑

   const btn=document.querySelectorAll('button')
   
        function f(){
          alert('dom2')
          btn[1].removeEventListener('click',f) //dom2 级 解绑
          
        }
        btn[1].addEventListener('click',f)

10、窗口加载事件

window加载事件:等页面元素全部加载完成才执行onload里面的代码

窗口加载   onload 文档全部加载完毕包括css图片js等资源

window.addEventListener( 'load' , function ( ){ } )

DOMContentLoaded 当dom元素加载完毕就执行,不必等其他资源加载完(加载速度快)

window.addEventListener( 'DOMContentLoaded' , function ( ){ } )

11、窗口尺寸事件


	window.addEventListener( ' resize',function( ) {
		console.log('窗口大小改变了');
	
		console.log(document.documentElement.clientWidth)  //获取屏幕尺寸
	})

12、元素尺寸和位置

元素尺寸或位置     client   offset   尺寸             scroll  位置

    clientWidth    内容宽+左右 padding
    clientHeight   内容高+上下 padding

    offsetWidth    带边框的 clientWidth            内容宽+左右padding+左右border

    
     scrollWidth     实际内容区域(包括隐藏的内容)

     offsetLeft / offsetTop 

     offsetLeft   距离参照物(以最近的带有定位的祖先元素,没有则参照物文档)左侧距离
 

<!DOCTYPE html>
<html lang="en">
  <head>
    <meta charset="UTF-8" />
    <meta http-equiv="X-UA-Compatible" content="IE=edge" />
    <meta name="viewport" content="width=device-width, initial-scale=1.0" />
    <title>Document</title>
    <style>
      * {
        padding: 0;
        margin: 0;
      }
      .wrapper {
        width: 300px;
        height: 300px;
        background-color: red;
        padding: 20px;
        border: 6px dashed black;
        margin-left: 100px;
        position: relative;
      }

      .wrapper .box {
        width: 100px;
        height: 100px;
        background-color: blue;
        margin: 0 auto;
        border: 2px solid green;
        padding: 10px;
        overflow: hidden;
        white-space: nowrap;
      }
    </style>
  </head>
  <body>
    <div class="wrapper">
      <div class="box">
        内容内容内容内容内容内容内容内容内容内容内容内容内容内容内容内容内容内容
      </div>
    </div>
    <script>
      const wrapper_box=document.querySelector('.wrapper')
      const box=document.querySelector('.box')
      console.log(wrapper_box.clientWidth)//340
      console.log(wrapper_box.clientHeight)//340
      console.log(box.clientHeight)//120
      console.log(box.clientWidth)//120
      console.log('=======================')
      console.log(wrapper_box.offsetWidth)//352
      console.log(wrapper_box.offsetHeight)//352
      console.log(box.offsetHeight)//123
      console.log(box.offsetWidth)//123
      console.log('===========================')
      console.log(box.scrollWidth)//596
      console.log(box.offsetTop)//20
      console.log(box.offsetLeft)//108

    </script>
  </body>
</html>

13、窗口滚动事件

window.addEventListener( 'scroll', function( ) {
	console.log(document.documentElement.scrollTop)//页面被卷去的尺寸
	})

14、日期对象

方法:

getFullYear 获取四位年份

getMonth 获取月份,取值为 0 ~ 11

getDate 获取月份中的每一天,不同月份取值也不相同

getDay 获取星期,取值为 0 ~ 6

getHours 获取小时,取值为 0 ~ 23

getMinutes 获取分钟,取值为 0 ~ 59

getSeconds 获取秒,取值为 0 ~ 59

时间戳是指1970年01月01日00时00分00秒起至现在的总秒数或毫秒数,它是一种特殊的计量时间的方式。

获取时间戳的方法,分别为 getTime 和 Date.now 和 +new Date()  

    // 1. 实例化
  const date = new Date()
  // 2. 获取时间戳
  console.log(date.getTime())
// 还有一种获取时间戳的方法
  console.log(+new Date())
  // 还有一种获取时间戳的方法
  console.log(Date.now())

 15、节点

查找节点


    1.通过节点关系查找元素     元素.parentNode

    2.子节点     元素.children      伪数组    本质是对象  {0:... ,1:***, length : 20}

    元素.childNodes    所有儿子,包括文本节点    可以获取文本换行

    3.兄弟节点
    previousSibling   了解   打印的是文本(比如换行)
    previousElementSibling    上一个兄弟
    nextElementSibling    下一个兄弟

插入节点

  • createElement 动态创建任意 DOM 节点

  • cloneNode 复制现有的 DOM 节点,传入参数 true 会复制所有子节点

  • appendChild 在末尾(结束标签前)插入节点

  • insertBefore 在父节点中任意子节点之前插入新节点

  • prepend(添加的元素)     在父元素的第一个子元素之前添加    每次在前面加

<!DOCTYPE html>
<html lang="en">
  <head>
    <meta charset="UTF-8" />
    <meta http-equiv="X-UA-Compatible" content="IE=edge" />
    <meta name="viewport" content="width=device-width, initial-scale=1.0" />
    <title>Document</title>
    <style>
      .box {
        margin: 50px auto;
        width: 300px;
        position: relative;
      }
      img {
        width: 300px;
      }

      .box span {
        font-size: 20px;
        position: absolute;
        right: 0;
        top: 0;
        display: block;
        width: 30px;
        height: 30px;
        text-align: center;
        cursor: pointer;
      }
    </style>
  </head>
  <body>
    <div class="box">
      <img src="./3.webp" alt="" />
      <span class="close">✖️</span>
    </div>
    <ul>
      <li>中国</li>
      <li>韩国</li>
      <li>朝鲜</li>
      <li>缅甸</li>
    </ul>
    <textarea name="" id="" cols="30" rows="10"></textarea>
    <button>发布评论</button>
    <ul class="comment"></ul>
    <script>
      // 节点操作 (增  删  改  查)
      //通过节点关系查找元素 父亲  1  元素.parentNode
      document.querySelector('.close').addEventListener('click', function () {
        this.parentNode.style.display = 'none'
      })

      // 2 获取子节点 元素.children
      const ul = document.querySelector('ul')
      console.log(Array.isArray(ul.children))
      console.log(ul.children) // 伪数组 本质是对象 {0:...,1:***, length:20}
      console.log(ul.childNodes) // 了解   所有儿子 包括文本节点
      for (let i = 0; i < ul.children.length; i++) {
        console.log(ul.children[i])
      }
      // 3 兄弟节点
      const country = document.querySelector('ul  li:nth-child(2)')
      console.log(country.previousSibling) // 了解
      console.log(country.previousElementSibling) // 上一个兄弟
      console.log(country.nextElementSibling) // 下一个兄弟

      // 获取相关元素
      const tarea = document.querySelector('textarea')
      const btn = document.querySelector('button')
      const comment = document.querySelector('.comment')
      // 注册事件
      btn.addEventListener('click', function () {
        // 1 获取文本域内容
        let txt = tarea.value.trim()
        if (txt === '') return
        // 检测敏感词汇 sb
        let index = txt.indexOf('sb')
        while (index !== -1) {
          txt = txt.replace('sb', '**')
          index = txt.indexOf('sb')
        }
        // 2 创建元素
        const li = document.createElement('li')
        
        li.innerHTML = txt
        // 3 把li添加到ul
        // comment.appendChild(li)
        comment.append(li)
        //comment.prepend(li) // 在父元素的第一个子元素之前添加
        // 4 清空文本域
        tarea.value = ''
      })
    </script>
  </body>
</html>

删除节点

     元素.remove( )

<!DOCTYPE html>
<html lang="en">
  <head>
    <meta charset="UTF-8" />
    <meta http-equiv="X-UA-Compatible" content="IE=edge" />
    <meta name="viewport" content="width=device-width, initial-scale=1.0" />
    <title>Document</title>
  </head>
  <body>
    <div class="box">
      <ul>
        <li>111</li>
        <li>222</li>
      </ul>
    </div>
    <button>删除</button>
    <script>
      // 删除元素 元素.remove()
      const ul = document.querySelector('ul')
      // ul.children[1].remove() '自杀' -> DOM树上不存在该元素
      // ul.removeChild(ul.children[1]) 父亲删除孩子
      // ul.children[1].style.display = 'none' // -> 元素隐藏,DOM树上还存在

      document.querySelector('button').addEventListener('click', function () {
        const r = confirm('你确定要删除吗?') // 提示确认框
        r && ul.children[1].remove()
      })
    </script>
  </body>
</html>

16、鼠标移入事件

 mouseover   会冒泡

mouseenter   不会冒泡
移动端
touchstart   触摸开始
touchmove   触摸移动
touchend   触摸结束
 

<!DOCTYPE html>
<html lang="en">
  <head>
    <meta charset="UTF-8" />
    <meta http-equiv="X-UA-Compatible" content="IE=edge" />
    <meta name="viewport" content="width=device-width, initial-scale=1.0" />
    <title>Document</title>
    <style>
      .box {
        width: 300px;
        height: 300px;
        background-color: red;
      }

      .son {
        width: 140px;
        height: 140px;
        background-color: skyblue;
        margin: auto;
      }
    </style>
  </head>
  <body>
    <div class="box">
      <!-- <div class="son"></div> -->
    </div>
    <script>
      // mouseennter(推荐用) mouseover
      // const box = document.querySelector('.box')
      // const son = box.children[0]
      // box.addEventListener('mouseenter', function () {
      //   alert('父亲')
      // })
      // son.addEventListener('mouseenter', function () {
      //   alert('儿子')
      // })

      let startX = 0
      document
        .querySelector('.box')
        .addEventListener('touchstart', function (e) {
          startX = e.changedTouches[0].pageX
          console.log('触摸开始')
        })

      document
        .querySelector('.box')
        .addEventListener('touchmove', function (e) {
          const diff = e.changedTouches[0].pageX - startX
          console.log(diff > 0 ? '右滑' : '左滑')
          console.log('一直触摸')
        })

      document.querySelector('.box').addEventListener('touchend', function () {
        console.log('触摸结束')
      })
    </script>
  </body>
</html>

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

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

相关文章

SourceTree提示128错误

错误&#xff1a; SourceTree打开报错&#xff1a;git log 失败&#xff0c;错误代码128 错误截图&#xff1a; 解决方法&#xff1a; 第一种&#xff1a; 打开电脑路径 C:\Users\Administrator &#xff0c;删除下面的【.gitconifg】文件 第二种&#xff1a; 如果上述方法…

场景交互与场景漫游-场景漫游器(6)

场景漫游 在浏览整个三维场景时&#xff0c;矩阵变换是非常关键的&#xff0c;通过适当的矩阵变换可以获得各种移动或者渲染效果。因此&#xff0c;在编写自己的场景漫游操作器时&#xff0c;如何作出符合逻辑的矩阵操作器是非常重要的&#xff0c;但这对初学者来说还是有一定难…

黑马React18: 基础Part 1

黑马React: 基础1 Date: November 15, 2023 Sum: React介绍、JSX、事件绑定、组件、useState、B站评论 React介绍 概念: React由Meta公司研发&#xff0c;是一个用于 构建Web和原生交互界面的库 优势: 1-组件化的开发方式 2-优秀的性能 3-丰富的生态 4-跨平台开发 开发环境搭…

鸿蒙ToastDialog内嵌一个xml页面会弹跳到一个新页面《解决》

ToastDialog 土司组件 1.问题展示2.代码展示3.问题分析 1.问题展示 0.理想效果 错误效果: 1.首页展示页面 (未点击按钮前) 2.点击按钮之后&#xff0c;弹窗不在同一个位置 2.代码展示 1.点击按钮的 <?xml version"1.0" encoding"utf-8"?> <…

Jmeter 如何监控目标服务的系统资源

下载Jmeter插件管理下载 perfmon 将这个插件管理放到Jmeter的\lib\ext目录下 然后重启Jmeter jmeter-plugins-manager-1.10.jar 下载 perfmon插件 添加 io 内存 磁盘的监听 并且添加监听 在宿主机中安装代理监听程序 并启动 ServerAgent.tar.gz

Linux常用命令——bzcat命令

在线Linux命令查询工具 bzcat 解压缩指定的.bz2文件 补充说明 bzcat命令解压缩指定的.bz2文件&#xff0c;并显示解压缩后的文件内容。保留原压缩文件&#xff0c;并且不生成解压缩后的文件。 语法 bzcat(参数)参数 .bz2压缩文件&#xff1a;指定要显示内容的.bz2压缩文…

任正非说:公司要逐步实行分灶吃饭,我们在管理上不能过于整齐划一,否则缺少战斗力。

你好&#xff01;这是华研荟【任正非说】系列的第42篇文章&#xff0c;让我们聆听任正非先生的真知灼见&#xff0c;学习华为的管理思想和管理理念。 一、我们必须在混沌中寻找战略方向。规划就是要抓住机会点&#xff0c;委员会是火花荟萃的地方&#xff0c;它预研的方向是可做…

贝加莱MQTT功能

贝加莱实现MQTT Client端的功能库和例程 导入库和例程&#xff0c;AS Logical View中分别通过Add Object—Library&#xff0c;Add—Program插入MQTT库和例程。 将例程Sample放置于CPU循环周期中 定义证书存放路径&#xff0c;在AS Physical View 中&#xff0c;右击PLC—Con…

聚观早报 |零跑C10亮相广州车展;小鹏X9亮相广州车展

【聚观365】11月18日消息 零跑C10亮相广州车展 小鹏X9亮相广州车展 坦克700 Hi4-T开启预售 超A级家轿五菱星光正式预售 哪吒汽车发布山海平台2.0 零跑C10亮相广州车展 零跑汽车首款全球车型C10在广州车展首次亮相&#xff0c;同时该车也是零跑LEAP 3.0技术架构下的首款全…

C++菜鸟日记2

关于getline()函数&#xff0c;在char和string输入的区别 参考博客 1.在char中的使用&#xff1a; 2.在string中的使用&#xff1a; 关于char字符数组拼接和string字符串拼接方法 参考博客 字符串拼接方法&#xff1a; 1.直接用 号 2.利用append&#xff08;&#xff0…

【草料】uni-app ts vue 小程序 如何如何通过草料生成对应的模块化二维码

一、查看uni-app项目 1、找到路径 可以看到项目从 src-race-pages-group 这个使我们目标的查询页面 下面我们将这个路径copy到草料内 2、找到进入页面入参 一般我们都会选择 onload() 函数下的入参 这里我们参数的是 id 二、草料 建议看完这里的教程文档 十分清晰&#xff01…

详解自动化测试之 Selenium

目录 1. 什么是自动化 2.自动化测试的分类 3. selenium&#xff08;web 自动化测试工具&#xff09; 1&#xff09;选择 selenium 的原因 2&#xff09;环境部署 3&#xff09;什么是驱动&#xff1f; 4. 一个简单的自动化例子 5.selenium 常用方法 5.1 查找页面元素&…

【STM32】RTC(实时时钟)

1.RTC简介 本质&#xff1a;计数器 RTC中断是外部中断&#xff08;EXTI&#xff09; 当VDD掉电的时候&#xff0c;Vbat可以通过电源--->实时计时 STM32的RTC外设&#xff08;Real Time Clock&#xff09;&#xff0c;实质是一个 掉电 后还继续运行的定时器。从定时器的角度…

三十分钟学会zookeeper

zookeeper 一、前提知识 集群与分布式 ​ 集群&#xff1a;将一个任务部署在多个服务器&#xff0c;每个服务器都能独立完成该任务。 ​ 分布式&#xff1a;将一个任务拆分成若干个子任务&#xff0c;由若干个服务器分别完成这些子任务&#xff0c;每个服务器只能完成某个特…

Vite -静态资源处理 - SVG格式的图片

特点 Vite 对静态资源是开箱即用的。 无需做特殊的配置。项目案例 项目结构 study-vite| -- src| -- assets| -- bbb.svg # 静态的svg图片资源| -- index.html # 主页面| -- main.js # 引入静态资源| -- package.json # 脚本配置| -- vite.co…

探索Scrapy中间件:自定义Selenium中间件实例解析

简介 Scrapy是一个强大的Python爬虫框架&#xff0c;可用于从网站上抓取数据。本教程将指导你创建自己的Scrapy爬虫。其中&#xff0c;中间件是其重要特性之一&#xff0c;允许开发者在爬取过程中拦截和处理请求与响应&#xff0c;实现个性化的爬虫行为。 本篇博客将深入探讨…

Pycharm之配置python虚拟环境

最近给身边的人写了脚本&#xff0c;在自己电脑可以正常运行。分享给我身边的人&#xff0c;却运行不起来&#xff0c;然后把报错的截图给我看了&#xff0c;所以难道不会利用pycharm搭建虚拟的环境&#xff1f;记录一下配置的过程。 第一步&#xff1a;右键要打开的python的代…

什么是单域名SSL安全证书?

单域名证书是什么&#xff1f; 单域名证书是指只包含一个具体域名的SSL/TLS证书&#xff0c;它可以用于保护单个主机名的HTTPS通信。例如&#xff0c;如果您有一个网站http://www.example.com&#xff0c;则单域名证书将仅为该域名颁发。 这种证书在保护单个域的安全方面很有…

hash 哈希表

哈希表是一种期望算法。 一般情况下&#xff0c;哈希表的时间复杂度是 O(1)。 作用 将一个复杂数据结构映射到一个较小的空间 0~N&#xff08;10^5~10^6&#xff09;&#xff0c;最常用的情景&#xff1a;将 0~10^9 映射到 0~10^5。 离散化是一种及其特殊的哈希方式。离散化…

【978.最长湍流子数组】

目录 一、题目描述二、算法原理三、代码实现 一、题目描述 二、算法原理 三、代码实现 class Solution { public:int maxTurbulenceSize(vector<int>& arr) {int narr.size();vector<int> f(n),g(n);f[0]g[0]1;if(n1) return 1;int retmax(f[0],g[0]);for(int…