Python入门笔记(二)

文章目录

  • 第六章 列表list
    • 6.1 创建列表:[]、list()、列表生成式
    • 6.2 索引访问元素、元素返回索引index()
    • 6.3 列表增加元素:append()、extend()、insert()
    • 6.4 列表删除元素:remove()、del()、pop()、clear()
    • 6.5 列表修改元素
    • 6.6 排序:.sort()、.reverse()、sorted()、reversed()
    • 6.7 求列表长度:len():
    • 6.8 切片
    • 6.9 对数字列表统计计算:min()、max()、sum()
    • 6.10 复制列表
    • 6.11 列表元素比大小
    • 6.12 in 、not in:判断元素是否在列表中
    • 6.13 一些内置函数:enmumerate()、dir()、count()
    • 6.14 用if语句处理列表
  • 第七章 元组tuple
    • 7.1 创建元组
    • 7.2 访问元组:索引(与列表一样)
    • 7.3 修改元组元素(不可)、修改元组中列表
    • 7.4 修改元组变量:可以
    • 7.5 遍历:与列表一样
    • 7.6 切片:与列表一样
    • 7.7 判断元组、列表类型:tuple()、list()


前些天发现了一个巨牛的人工智能学习网站,通俗易懂,风趣幽默,忍不住分享一下给大家。
点击跳转:人工智能从入门到精通教程





本文电子版获取方式:
「Python入门笔记(二).pdf」,复制整段内容,打开最新版「夸克APP」即可获取。
链接:https://pan.quark.cn/s/fbce23b708b9


第六章 列表list

1、列表是有序的
2、列表可以包含任意类型的数据
3、列表是动态的,随着程序的运行可以进行修改、添加、删除操作
4、索引映射唯一一个数据
5、列表可存储重复数据

整数列表

number = [1,2,3,4,5]
print(number)
[1, 2, 3, 4, 5]

混合列表

mix = [1,'zdb',3.14,[1,2,3]]   #可存放不同类型,列表里的元素可以是列表
print(mix)
[1, 'zdb', 3.14, [1, 2, 3]]

空列表

empty = []   #空列表
print(empty)a = list()   #空列表
print(a)
[]
[]

6.1 创建列表:[]、list()、列表生成式

  • 1.方括号括起来
  • 2.使用内置函数list()
  • 3.列表生成式

1. list():内置函数,把一个可迭代对象转换为列表

b = 'I love you'
b = list(b)
print(b)
['I', ' ', 'l', 'o', 'v', 'e', ' ', 'y', 'o', 'u']

2. 列表生成式

–for–in–

  • 列表解析将for循环和创建新元素的代码合并成一行,并自动附加新元素。

例1:输出1到10的平方
注意:for这里没有冒号结尾

#将值1到10提供给表达式value**2
squares = [value**2 for value in range(1,11)]
print(squares)
[1, 4, 9, 16, 25, 36, 49, 64, 81, 100]

例2

b = {i:i % 2 == 0 for i in range(10)}   #判断0到9是否为偶数
print(b)
{0: True, 1: False, 2: True, 3: False, 4: True, 5: False, 6: True, 7: False, 8: True, 9: False}

例3:100内能被2整除但是不能被3整除是数

a = [i for i in range(100) if not (i%2) and i%3]  #能被2整除,但是不能被3整除
print(a)
[2, 4, 8, 10, 14, 16, 20, 22, 26, 28, 32, 34, 38, 40, 44, 46, 50, 52, 56, 58, 62, 64, 68, 70, 74, 76, 80, 82, 86, 88, 92, 94, 98]

x --for-- in-- if–

例1:没有else

a= [x * x for x in range(1, 11) if x % 2 == 0]
print(a)
[4, 16, 36, 64, 100]

x --if–else–for–in
例2:有if-else,但是必须放在前面

b = [-x if x % 2 == 0 else x for x in range(1, 11)]
print(b)
[1, -2, 3, -4, 5, -6, 7, -8, 9, -10]



6.2 索引访问元素、元素返回索引index()

只需将该元素的位置或者索引告诉python即可 ,第一个索引为0
访问最后一个元素可以索引[-1];以此类推,[-2]倒数第二…
例1

bicycles = ['trek', 'cannondale', 'redline', 'specialized']
print(bicycles[0])            #访问第一个
print(bicycles[0].title())    #第一个首字母大写print(bicycles[-1])          #访问最后一个
trek
Trekspecialized

例2

bicycles = ['trek', 'cannondale', 'redline', 'specialized']
message = 'My first bicyclr was a ' + bicycles[0].title() + '.'   #访问第零个
print(message)
My first bicyclr was a Trek.

例3

number = [1,'zdb','c','d']
print(number[0])  #输出第零个number[0] = number[1]
print(number)   #第一个赋值给第零个
1
['zdb', 'zdb', 'c', 'd']

.index():元素返回索引值

  1. 如果列表中被索引的元素有多个,只返回第一个的位置
  2. 如果索引不存在的元素,会报错
  3. 可以指定范围查找元素
list1=[123,456]
list1 = list1 * 3
print(list1)
print(list1.index(123))      #索引
print(list1.index(123,3,9))   #第三个到第九个
[123, 456, 123, 456, 123, 456]
0      #第0个位置
4      #第4个位置



6.3 列表增加元素:append()、extend()、insert()

1、.append(sth): 只能加一个,在列表末尾添加元素
例1

number = [1,'zdb']
number.append('zdbya')
print(number)
print(len(number))  
[1, 'zdb', 'zdbya']
3

例2:空列表中添加元素

motorcycles = []   #创建空列表,添加元素
motorcycles.append('honda')
motorcycles.append('yamaha')
motorcycles.append('suzuki')
print(motorcycles)
['honda', 'yamaha', 'suzuki']

2、.extend([列表]):
用列表扩展列表,在末尾插入

number = [1,'zdb']
number.extend(['a','b'])
print(number)
[1, 'zdb', 'a', 'b']

3、.insert(位置,sth):
在指定位置插入元素,0为第一个位置

number = [1,'zdb']
number.insert(1,'zz')     #在位置1插入
print(number)
[1, 'zz', 'zdb']

4、用切片添加元素

list1 = [1, 2, 3, 4, 5, 6, 7, 8]
list2 = ['a', 'b', 'c', 'd', 'e']
list1[2:] = list2
print(list1)
[1, 2, 'a', 'b', 'c', 'd', 'e']



6.4 列表删除元素:remove()、del()、pop()、clear()

1、.remove(sth):

  1. 永久的
  2. 只移除一个
  3. 元素重复只移除第一个
  4. 空列表移除元素会报错
number = [1, 2, 3, 4, 2]
number.remove(2)   
print(number)
[1, 3, 4, 2]

2、del():

  1. 加索引,删除位置,永久的
  2. 不要索引,删除整个列表,注意是删除,不是清空为空列表

例1

number = [1,'zdb']
del(number[0])   #删除第零个位置,即1
print(number)
['zdb']

3、.pop():

  1. 删除一个指定索引位置上的元素
  2. 不指定索引时,删除最后一个,永久的
  3. 指定索引不存在时报错

例1:不指定索引,删除最后一个

number = [1,'zdb']
name = number.pop()
print(number)
print(name)
[1]
zdb

例2: 指定索引

number2 = ['a', 'b', 'c', 'd', 'e']
number2.pop(0)
print(number2)
['b', 'c', 'd', 'e']

4、.clear(): 清空成空列表

number2 = ['a', 'b', 'c', 'd', 'e']
number2.clear()
print(number2)
[]

5、切片删除元素
把不想要的元素切掉


6.5 列表修改元素

1、指定索引赋新值

motorcycles = ['handa', 'yamaha', 'suzuki']
print(motorcycles)motorcycles[0] = 'ducati'     #修改第零个
print(motorcycles)
['handa', 'yamaha', 'suzuki']
['ducati', 'yamaha', 'suzuki']

2、切片赋新值

number2 = ['a', 'b', 'c', 'd', 'e']
number2[:2] = [1, 2, 3]
print(number2)
[1, 2, 3, 'c', 'd', 'e']

6.6 排序:.sort()、.reverse()、sorted()、reversed()

1、 .sort()方法:排序,从小到大,永久性

list4=[4,3,2,5]
list4.sort()   #排序
print(list4)list4.sort(reverse=True)   #reverse = True
print(list4)
[2, 3, 4, 5]
[5, 4, 3, 2]

例2

cars = ['bnw', 'audi', 'toyota', 'subaru']
cars.sort()      #按首字母排序
print(cars)
['audi', 'bnw', 'subaru', 'toyota']

.sort(reverse = True)
翻转倒着排序

cars = ['bnw', 'audi', 'toyota', 'subaru']
cars.sort(reverse = True)      #按首字母排序
print(cars)
['toyota', 'subaru', 'bnw', 'audi']

2、 sorted():内置函数,临时排序

  • 这是产生一个新的列表,而原列表不发生任何改变,所以是临时排序
    同理也有:sorted(reverse = True) 用法
    sorted用法较多

(1)数字排序
按大小

print(sorted([36, 5, -12, 9, -21]))
[-21, -12, 5, 9, 36]

按绝对值大小

  • sorted()函数也是一个高阶函数,它还可以接收一个key函数来实现自定义的排序,例如按绝对值大小排序
print(sorted([36, 5, -12, 9, -21], key=abs))
[5, 9, -12, -21, 36]

(2)字符串排序
分大小写

  • 默认情况下,对字符串排序,是按照ASCII的大小比较的,由于’Z’ < ‘a’,结果,大写字母Z会排在小写字母a的前面。
print(sorted(['bob', 'about', 'Zoo', 'Credit']))
['Credit', 'Zoo', 'about', 'bob']

不分大小写

print(sorted(['bob', 'about', 'Zoo', 'Credit'], key=str.lower))
['about', 'bob', 'Credit', 'Zoo']

(3)反向排序 reverse=True
要进行反向排序,不必改动key函数,可以传入第三个参数reverse=True:

print(sorted(['bob', 'about', 'Zoo', 'Credit'], key=str.lower, reverse=True))
['Zoo', 'Credit', 'bob', 'about']

习题:对字典的键值对分别实现成绩和人名的排序

def by_name(t):return t[1]def by_score(t):return t[0]L = [('Bob', 75), ('Adam', 92), ('Bart', 66), ('Lisa', 88)]
L2 = sorted(L, key=by_name, reverse=True)   # 成绩倒序
print(L2)
L3 = sorted(L, key=by_score)  # 名字排序
print(L3)
[('Adam', 92), ('Lisa', 88), ('Bob', 75), ('Bart', 66)]
[('Adam', 92), ('Bart', 66), ('Bob', 75), ('Lisa', 88)]

cars = ['bnw', 'audi', 'toyota', 'subaru']
print('用了sort(cars)方法后的排序:')
print(sorted(cars))
print(cars)   # 并没有变化
用了sort(cars)方法后的排序:
['audi', 'bnw', 'subaru', 'toyota']
['bnw', 'audi', 'toyota', 'subaru']

3、 .reverse():翻转
按排列顺序翻转,永久性修改排列顺序,再一次翻转可恢复

list1=[123,456,789]
print(list1)list1.reverse()           #翻转
print(list1)
[123, 456, 789]
[789, 456, 123]

4、 reversed():暂时的

list1=[3,2,1,6,5,4]
list2 = reversed(list1)
print(list2)
print(list(list2))
<list_reverseiterator object at 0x000002338F11CA48>     #迭代器对象
[4, 5, 6, 1, 2, 3]

6.7 求列表长度:len():

确定列表长度,即列表中元素个数
例1

>>> cars = ['bnw', 'audi', 'toyota', 'subaru']
>>> len(cars)
4

例2

number =['小甲鱼','小布丁','黑夜','迷途','怡静']
for each in number:print(each,len(each))   #each为元素字符长度
小甲鱼 3
小布丁 3
黑夜 2
迷途 2
怡静 2

6.8 切片

切片记左不记右,左闭右开
例1:默认步长为1

number = [1,'zdb','a','b','c']
print(number[1:3])    #记左不记右
print(number[:3])     # 0,1,2
print(number[1:])
print(number[:])print(number[-3:])   #后三个
['zdb', 'a']
[1, 'zdb', 'a']
['zdb', 'a', 'b', 'c']
[1, 'zdb', 'a', 'b', 'c']
['a', 'b', 'c']

例2: 步长指定为2

list1 = [1, 2, 3, 4, 5, 6, 7, 8]
print(list1[::2])
[1, 3, 5, 7]

例3:for循环遍历切片

语法:
for 迭代变量 in 列表名:操作
players = ['charles', 'martina', 'michael', 'florence', 'eli']print("Here are the first three players on my team:")
for player in players[:3]:print(player.title())
Here are the first three players on my team:
Charles
Martina
Michael

例4:步长为负数
这时候切片的第一个元素默认为原列表的最后一个元素

list1 = [1, 2, 3, 4, 5, 6, 7, 8]
print(list1[::-1])
print(list1[7::-1])
print(list1[7::-2])
[8, 7, 6, 5, 4, 3, 2, 1]
[8, 7, 6, 5, 4, 3, 2, 1]
[8, 6, 4, 2]

6.9 对数字列表统计计算:min()、max()、sum()

min():求最小

b = [1,18,13,0,-98,34,54,76,32]
print(max(b))
print(min(b))c='1234567890'
print(min(c))
76
-98
0

max():返回序列或者参数集合中的最大值

print(max(1,2,3,4,5))b = 'I love you'                    #y的码最大
print(max(b))b = [1,18,13,0,-98,34,54,76,32]     #76最大
print(max(b))
5
y
76

tuple1 = (1,2,3,4,5,6,7,8,9)
print(max(tuple1))
9

错误情况如下:

list1=[1,2,3,4,5,6,7,8,9,'a']
print(max(list1))
错误,必须同一类型

sum():求和

sum(iterable[,start=0])

返回序列iterable和可选参数start的总和

tuple2=(3.1,2.3,3.4)
print(sum(tuple2))list1=[1,2,3,4]
print(sum(list1))
print(sum(list1,8))     #list1求和,再与8求和
8.8
10
18

>>> digits = [1, 2, 3, 4, 5, 6, 7, 8, 9, 0]
>>> min(digits)
0
>>> max(digits)
9
>>> sum(digits)
45



6.10 复制列表

list1[:]

list1 = ['a', 'b', 'c']
list2 = list1[:]
print(list1)
print(list2)
['a', 'b', 'c']
['a', 'b', 'c']

复制后的列表与原列表互不干扰

list1 = ['a', 'b', 'c']
list2 = list1[:]list1.append('cannoli')
list2.append('ice cream')
print(list1)
print(list2)
['a', 'b', 'c', 'cannoli']
['a', 'b', 'c', 'ice cream']

list2 = list1

list1 = ['a', 'b', 'c']
list2 = list1list1.append('cannoli')
list2.append('ice cream')
print(list1)
print(list2)
['a', 'b', 'c', 'cannoli', 'ice cream']
['a', 'b', 'c', 'cannoli', 'ice cream']

list1=[789,456,123]list2=list1[:]     #拷贝,1变2不变
print(list2)list3=list1       #赋值,修改list1,list3跟着改
print(list3)list1.sort()
print(list1)
print(list2)
print(list3)
[789, 456, 123]    #list2[789, 456, 123]    #list3
###################排序list1
[123, 456, 789]
[789, 456, 123]   #list2不变
[123, 456, 789]   #list3跟着变

6.11 列表元素比大小

list1 = [123]
list2 = [234]
print(list1 > list2)
False

多个元素只比第零个

list1 = [123,456]
list2 = [234,123]
print(list1 > list2)   #只比较第零个list3 = [123,456]
print((list1<list2) and (list1==list3))   #and运算
False
True

列表拼接:+

list1 = [123,456]
list2 = [234,123]
list4 = list1+list2        #拼接
print(list4)
[123, 456, 234, 123]

列表元素复制多遍:*

list3 = [123,456]
print(list3*3)             #复制多个,输出3遍
[123, 456, 123, 456, 123, 456]

6.12 in 、not in:判断元素是否在列表中

这个知识点在前面的各种运算符里面也有

print(123 in list3)
print(789 not in list3)    #判断是否在里面
True
True

list5 = [123,['z','zdb'],456]
print('z' in list5)print('z'in list5[1])  #第一个print(list5[1][1])
False
True
zdb



6.13 一些内置函数:enmumerate()、dir()、count()

enumerate():将索引值与元素括起来
enumerate()用法链接:enumerate

list1=[3,2,1,6,5,4]
print(enumerate(list1))
print(list(enumerate(list1)))
<enumerate object at 0x000001DC6B664E58>
[(0, 3), (1, 2), (2, 1), (3, 6), (4, 5), (5, 4)]

dir():查询

print(dir(list))
['__add__', '__class__', '__contains__', '__delattr__', '__delitem__', '__dir__','__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__getitem__','__gt__', '__hash__', '__iadd__', '__imul__', '__init__', '__init_subclass__','__iter__', '__le__', '__len__', '__lt__', '__mul__', '__ne__', '__new__', '__reduce__','__reduce_ex__', '__repr__', '__reversed__', '__rmul__', '__setattr__', '__setitem__','__sizeof__', '__str__', '__subclasshook__', 'append', 'clear', 'copy', 'count', 'extend','index', 'insert', 'pop', 'remove', 'reverse', 'sort']

count():计算出现次数

list1 = [123,456]
list1 *= 3
print(list1)
print(list1.count(123))      #计算出现次数,3次
[123, 456, 123, 456, 123, 456]
3

6.14 用if语句处理列表

requested_toppings = ['mushrooms', 'green peppers', 'extra cheese']for requested_topping in requested_toppings:     #遍历列表print('Adding ' + requested_topping + '.')print('\nFinished making your pizza!')
Adding mushrooms.
Adding green peppers.
Adding extra cheese.Finished making your pizza!

requested_toppings = ['mushrooms', 'green peppers', 'extra cheese']for requested_topping in requested_toppings:     #遍历if requested_topping == 'green peppers':print('Sorry, we are out of green peppers right now')else:print('Adding ' + requested_topping + '.')print('\nFinished making your pizza!')
Adding mushrooms.
Sorry, we are out of green peppers right now
Adding extra cheese.Finished making your pizza!

确定列表不是空的

requested_toppings = []if requested_toppings:  #默认非空执行if里面的for requested_topping in requested_toppings:print('Adding' + requested_topping + '.')print('\nFinished making your pizza!')
else:                  #为空时,执行elseprint('Are you sure you want a plain pizza?')
Are you sure you want a plain pizza?

使用多个列表

available_toppings = ['mushrooms', 'olives', 'green peppers','pepperoni', 'pineapple', 'extra cheese']requested_toppings = ['mushrooms', 'fresh fries', 'extra cheese']   #中间的没有for requested_topping in requested_toppings:       #遍历需要的列表if requested_topping in available_toppings:    #如果需要的在现有的里面print('Adding ' + requested_topping + '.')else:                                          #如果需要的不在现有的里面print("Sorry, we don't have " + requested_topping + '.')print('\nFinished making your pizza!')
Adding mushrooms.
Sorry, we don't have fresh fries.
Adding extra cheese.Finished making your pizza!



第七章 元组tuple

在这里插入图片描述
元组内元素不能修改,即不可变的列表被称为元组

7.1 创建元组

  1. 小括号,小括号可以不写,但是一定要逗号
  2. 内置函数tuple()

空元组

t = ()
print(t)
print(type(t))
print(tuple())
()
<class 'tuple'>
()

7.2 访问元组:索引(与列表一样)

dimensions = (200, 50)
print(dimensions[0])
print(dimensions[1])
200
50

7.3 修改元组元素(不可)、修改元组中列表

错误,元组元素不能被修改
它也没有append(),insert()这样的方法

dimensions = (200, 50)
dimensions[0] = 250
    dimensions[0] = 250
TypeError: 'tuple' object does not support item assignment

修改元组中列表

t = (10, [20, 30], 9)
print(t, type(t))
print(t[0], type(t[0]), id(t[0]))
print(t[1], type(t[1]), id(t[1]))
print(t[2], type(t[2]), id(t[2]))"""这里尝试修改元组里面的列表"""
t[1].append(40)
print(t[1], type(t[1]), id(t[1]))
print(t)
(10, [20, 30], 9) <class 'tuple'>
10 <class 'int'> 140710970368688
[20, 30] <class 'list'> 2374489493896
9 <class 'int'> 140710970368656
[20, 30, 40] <class 'list'> 2374489493896
(10, [20, 30, 40], 9)

7.4 修改元组变量:可以

重新给变量名赋值就行

tuple1 = (200, 50)
print('原来的:')
for i in tuple1:print(1)tuple1 = (400, 100)
print('现在的:')
for i in tuple:print(i)
原来的:
1
1
现在的:
400
100

7.5 遍历:与列表一样

dimensions = (200, 50)
for dimension in dimensions:print(dimension)
200
50

7.6 切片:与列表一样

temp=(1,2,3,4)
temp=temp[:2]+('a',)+temp[2:]
print(temp)
(1, 2, 'a', 3, 4)

7.7 判断元组、列表类型:tuple()、list()

tuple = (1,2,3,44,55,66,7,8)   #元组不能被修改
print(tuple)
print(tuple[1])     #输出第一个
print(tuple[5:])    #输出第五个及后面;记左不记右
print(tuple[:5])    #输出第五个前面(不包括第五个)
tuple2=tuple[:]
print(tuple2)
(1, 2, 3, 44, 55, 66, 7, 8)
2
(66, 7, 8)
(1, 2, 3, 44, 55)
(1, 2, 3, 44, 55, 66, 7, 8)

temp=(1)
print(temp)
print(type(temp))      #整型temp2=2,3,4
print(temp2)
print(type(temp2))     #元组,tupletemp=[]
print(type(temp))      #列表,list temp=()
print(type(temp))      #元组temp=(1,)
print(type(temp))      #元组temp=1,
print(type(temp))      #元组
1
<class 'int'>(2, 3, 4)
<class 'tuple'><class 'list'><class 'tuple'>
<class 'tuple'>
<class 'tuple'>

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

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

相关文章

防火墙的三种工作模式:路由模式、透明模式(网桥)、混合模式

防火墙作为网络安全的核心设备之一&#xff0c;扮演着至关重要的角色。它不仅能够有效防御外部网络的攻击&#xff0c;还能保护内部网络的安全。在如今复杂多样的网络环境下&#xff0c;防火墙的部署和工作模式直接影响着网络安全策略的实施效果。防火墙通常可以工作在三种模式…

自定义函数查看OS的file cache

简介 在OS中使用cache机制&#xff0c;主要为了提高磁盘的读取效率&#xff0c;避免高频的IO交换。将频繁访问的数据存放在file cache中&#xff0c;下一次在获取的时候就可以直接读取&#xff0c;缓存高命中率对于数据高速检索十分有利。 smem smem 是一个可以显示 Linux 系…

【即见未来,为何不拜】聊聊分布式系统中的故障监测机制——Phi Accrual failure detector

前言 昨天在看tcp拥塞控制中的BBR(Bottleneck Bandwidth and Round-trip propagation time)算法时&#xff0c;发现了这一特点&#xff1a; 在BBR以前的拥塞控制算法中(如Reno、Cubic、Vegas)&#xff0c;都依赖于丢包事件的发生&#xff0c;在高并发时则会看到网络波动的现象…

uni-app使用v-show编译成微信小程序的问题

问题 在uni-app使用v-show语法编译成微信小程序会有一个问题 当我们设置成v-show"false" 在Hbuilder X里面确实没有显示 然后运行到 微信开发程序里面 发现显示了出来&#xff0c;说明设置的 v-show"false"没有起作用 解决办法 首先去uniapp官网查看v…

uniapp打包安卓apk步骤

然后安装在手机上就可以啦

火狐浏览器 Firefox v131.0.2 第三方tete009编译便携版

火狐浏览器是一款非常优秀的浏览器&#xff0c;它的兼容性和稳定性非常出色&#xff0c;备受全球用户的青睐。Firefox便携版是Firefox浏览器的一个特别版本&#xff0c;它可以在没有安装的情况下使用&#xff0c;非常方便。tete009 Firefox 编译版的启动和加载图片时间是所有火…

Ubuntu内存扩容

目录 vmware设置Ubuntu设置查看 读研后发现&#xff0c;Ubuntu的使用量直线上升&#xff0c;之前给配置了20g内存&#xff0c;安装了个ros后&#xff0c;没啥内存了。本文实现给Ubuntu扩容。 vmware设置 这里 我使用别人的截图来演示。 我在这里改成了60 Ubuntu设置 sudo a…

JS 分支语句

目录 1. 表达式与语句 1.1 表达式 1.2 语句 1.3 区别 2. 程序三大流控制语句 3. 分支语句 3.1 if 分支语句 3.2 双分支 if 语句 3.3 双分支语句案例 3.3.1 案例一 3.3.2 案例二 3.4 多分支语句 1. 表达式与语句 1.1 表达式 1.2 语句 1.3 区别 2. 程序三大流控制语…

每天花2分钟学数字化转型,第三讲:数智化

​对于智能化&#xff08;intelligence&#xff09;&#xff0c;我的理解是&#xff1a;你中有我&#xff0c;我中有你「人机一体」的世界。 阅读本文&#xff0c;你将快速知晓“智能化”的定义与价值&#xff0c;通过生活实例让你对智能化有一个全新的理解。 最后还会介绍“…

Keil中代码补全功能和自动缩进功能设置

一、自动缩进功能的设置&#xff0c;在按回车键换行或者按Tab键的时候是有缩进的&#xff0c;还可以进行缩进设置。可以通过以下步骤进行设置&#xff1a;①Edit&#xff08;编辑&#xff09;->②Configuration(配置)->③Tab size&#xff08;Tab缩进长度&#xff09;在T…

单机redis和mysql服务器的承载压力

单机环境下&#xff0c;Redis 和 MySQL 的承载压力主要取决于多种因素&#xff0c;如硬件配置、数据规模、查询模式、读写比例、以及优化程度等。以下是一些关键点&#xff1a; Redis 的承载压力 Redis 是基于内存的键值数据库&#xff0c;通常用于高速缓存和高频率读取场景…

在Linux中搭建WordPress并实现Windows主机远程访问

WordPreWordPress是一个基于PHP开发的开源平台&#xff0c;适用于在支持PHP与MySQL数据库的服务器上搭建个性化博客或网站。同时&#xff0c;它也能够作为功能强大的内容管理系统&#xff08;CMS&#xff09;被广泛应用。 虚拟机&#xff1a;VirtualBox 虚拟机安装&#x1f449…

ES-入门-http-多条件查询范围查询

must 表示多个条件需要同时满足 在postman 对应的参数配置如下 {"query": {"bool": {"must" : [{"match" :{"category":"小米"}},{"match":{"price":3999.00}}]}} } 如下图查询的结果是需…

Golang 代码质量检查工具 | golangci-lint

背景 开发团队代码&#xff0c;保持一个统一的风格和规范&#xff0c;有利于团队协作和交流。 对代码进行质量检查&#xff0c;能达到以下作用&#xff1a; 提高代码质量&#xff1a;代码质量检查可以帮助团队发现潜在的错误和问题&#xff0c;从而提高代码的稳定性和可靠性。…

Power BI:链接数据库与动态数据展示案例

一、案例背景 在数据驱动的时代&#xff0c;如何高效、直观地展示和分析数据成为了企业决策和个人洞察的关键。Power BI作为一款强大的商业智能工具&#xff0c;凭借其强大的数据连接能力、丰富的可视化选项以及交互性和动态性&#xff0c;成为了众多企业和个人的首选。本文将…

Anthropic分享RAG最佳实践:Contextual Retrieval

先说结论&#xff0c;Anthropic提出了一种显著改进RAG中检索步骤的方法。这种方法被称为“上下文检索&#xff08;Contextual Retrieval&#xff09;”&#xff1a; 它使用两种子技术&#xff1a;上下文嵌入&#xff08;Contextual Embeddings&#xff09;和上下文BM25这种方法…

pdf删除几个页面怎么操作?PDF页面删除的快捷方法

pdf删除几个页面怎么操作&#xff1f;在日常办公与学习中&#xff0c;PDF文件因其跨平台兼容性和良好的格式保持性而广受欢迎。然而&#xff0c;随着文件内容的累积&#xff0c;PDF文档往往会变得庞大而臃肿&#xff0c;不仅占用存储空间&#xff0c;还可能在传输时造成不便。因…

mysql 慢查询日志slowlog

慢查询参数 slow log 输出示例 # Time: 2024-08-08T22:39:12.80425308:00 #查询结束时间戳 # UserHost: root[root] localhost [] Id: 83 # Query_time: 2.331306 Lock_time: 0.000003 Rows_sent: 9762500 Rows_examined: 6250 SET timestamp1723127950; select *…

FAST-LIVO复现

文章目录 FAST-LIVO准备工作编译运行复现效果 FAST-LIVO FAST-LIVO&#xff08;Fast LiDAR-Inertial-Visual Odometry&#xff09;是一种融合LiDAR&#xff08;激光雷达&#xff09;、惯性测量单元&#xff08;IMU&#xff09;和视觉信息的里程计算法。它旨在提供高精度和实时…

MySQL 执行流程是怎样的?

可以看到&#xff0c; MySQL 的架构共分为两层&#xff1a;Server 层和存储引擎层&#xff0c; Server 层负责建立连接、分析和执行 SQL。MySQL 大多数的核心功能模块都在这实现。存储引擎层负责数据的存储和读取。 InnoDB、MyISAM、Memory。不同的存储引擎共用一个 Server 层…