Datawhale打卡记录

变量、运算符与数据类型

运算符

算术运算符

+     -     *     /     //(整除取整)     %(取余)     **幂

比较运算符

print(2 > 1)  # True
print(2 >= 4)  # False
print(1 < 2)  # True
print(5 <= 2)  # False
print(3 == 4)  # False
print(3 != 5)  # True

逻辑运算符

与或非 and or not

print((3 > 2) and (3 < 5))  # True
print((1 > 3) or (9 < 2))  # False
print(not (2 > 1))  # False

位运算符

在这里插入图片描述

首先我们看一下计算机取反的概概念

  • 计算机中数值以二进制补码形式存储
  1. 正数的补码和源码相同;
  2. 负数的补码为符号位不变,对源码剩余位取反再加1;
  3. 由补码求源码,先-1,再取反(符号位不变)

77
源码                             01001101 
补码(即77在计算机中存储形式)       01001101 

~77(即对77的补码取反)            10110010
补码求源码:
~77源码为-78                     11001110

-2
源码                            10000010    
反码                            01111101
补码(即-2在计算机中存储形式)      01111110
~(-2)                          10000001
源码(正数源码与补码相同)          10000001

结论: ~n = -(n+1)

同或:两个数相同则为真
异或:两个数不同则为真

print(bin(4))  # 0b100
print(bin(5))  # 0b101
print(bin(~4), ~4)  # -0b101 -5
print(bin(4 & 5), 4 & 5)  # 0b100 4
print(bin(4 | 5), 4 | 5)  # 0b101 5
print(bin(4 ^ 5), 4 ^ 5)  # 0b1 1
print(bin(4 << 2), 4 << 2)  # 0b10000 16
print(bin(4 >> 2), 4 >> 2)  # 0b1 1
0b100
0b101
-0b101 -5
0b100 4
0b101 5
0b1 1
0b10000 16
0b1 1

三元运算符

x, y = 4, 5
small = x if x < y else y
print(small)  # 4

# 和下面等价
x, y = 4, 5
if x < y:
    small = x
else:
    small = y
4

其他运算符in - is - not in - is not

在这里插入图片描述

  • is, is not 对比的是两个变量的内存地址
  • ==, != 对比的是两个变量的值
  • 比较的两个变量,指向的都是地址不可变的类型(str等),那么is,is not 和 ==,!= 是完全等价的。
  • 对比的两个变量,指向的是地址可变的类型(list,dict等),则两者是有区别的。

运算符优先级

  • 一元运算符优先于二元,比如 - 优先于 **
  • 先算术后移位再位运算
  • 逻辑运算符最后结合。比如
if a > b and c > d:
等价于
if (a > b) and (c > d)

数据类型与转换

  • int; float;bool

查看属性和方法

  • Python 里面万物皆对象(object),数据类型也不例外,只要是对象,就有相应的属性 (attributes) 和方法(methods)。
  • Python 里面有很多用途广泛的包 (package),用什么你就引进 (import) 什么。包也是对象,也可以用上面提到的dir(xxx) 来看xxx属性和方法。

保留浮点型的小数点后 n 位

import decimal
from decimal import Decimal
a = decimal.getcontext()
print(a)
# Context(prec=28, rounding=ROUND_HALF_EVEN, Emin=-999999, Emax=999999,
# capitals=1, clamp=0, flags=[], 
# traps=[InvalidOperation, DivisionByZero, Overflow])
# getcontext() 显示了 Decimal 对象的默认精度值是 28 位 (prec=28)

b = Decimal(1) / Decimal(3)
print(b)
# 0.3333333333333333333333333333

decimal.getcontext().prec = 4
# 用 getcontext().prec 来调整精度
c = Decimal(1) / Decimal(3)
print(c)
# 0.3333
Context(prec=28, rounding=ROUND_HALF_EVEN, Emin=-999999, Emax=999999, capitals=1, clamp=0, flags=[], traps=[InvalidOperation, DivisionByZero, Overflow])
0.3333333333333333333333333333
0.3333

获取类型信息

  • type(object) 获取类型信息
print(type(1))  # <class 'int'>
print(type(5.2))  # <class 'float'>
print(type(True))  # <class 'bool'>
print(type('5.2'))  # <class 'str'>
<class 'int'>
<class 'float'>
<class 'bool'>
<class 'str'>
  • isinstance(object, classinfo) 判断一个对象是否是一个已知的类型。
print(isinstance(1, int))  # True
print(isinstance(5.2, float))  # True
print(isinstance(True, bool))  # True
print(isinstance('5.2', str))  # True
True
True
True
True

类型转换

  • 转换为整型 int(x, base=10)
  • 转换为字符串 str(object=’’)
  • 转换为浮点型 float(x)
print(int('520'))  # 520
print(int(520.52))  # 520
print(float('520.52'))  # 520.52
print(float(520))  # 520.0
a = str(10 + 10)
print(a)  # 20
print(type(a))  # <class 'str'>
print(str(10.1 + 5.2))  # 15.3
520
520
520.52
520.0
20
<class 'str'>
15.3

print()函数

print(*objects, sep=' ', end='\n', file=sys.stdout, flush=False)

  • 将对象以字符串表示的方式格式化输出到流文件对象file里。其中所有非关键字参数都按str()方式进行转换为字符串输出;
  • 关键字参数sep是实现分隔符,比如多个参数输出时想要输出中间的分隔字符,默认是空格
  • 关键字参数end是输出结束时的字符,默认是换行符\n,所以每次输出后都会换行;
  • 关键字参数file是定义流输出的文件,可以是标准的系统输出sys.stdout,也可以重定义为别的文件;
  • 关键字参数flush是立即把内容输出到流文件,不作缓存。
shoplist = ['apple', 'mango', 'carrot', 'banana']
print("This is printed with 'end='&''.")
for item in shoplist:
    print(item, end='&') # 每次输出结束都用end设置的参数&结尾,并没有默认换行。
print('hello world')

# This is printed with 'end='&''.
# apple&mango&carrot&banana&hello world
This is printed with 'end='&''.
apple&mango&carrot&banana&hello world
shoplist = ['apple', 'mango', 'carrot', 'banana']
print("This is printed with 'sep='&''.")
for item in shoplist:
    print(item, 'another string', sep='&') # item值与'another string'两个值之间用sep设置的参数&分割

# This is printed with 'sep='&''.
# apple&another string
# mango&another string
# carrot&another string
# banana&another string
This is printed with 'sep='&''.
apple&another string
mango&another string
carrot&another string
banana&another string

条件语句

if语句-if else语句-if elif else语句

Python使用缩进而不是大括号来标记代码块边界,因此要特别注意else的悬挂问题。

temp = input("输入你的成绩:")
guess = int(temp)  # 函数将接收的任何数据类型都默认为 str。
if guess > 90:
    print("A")
    print("well down")
elif 80 < guess <= 90:
    print("B")
    print("just soso")
输入你的成绩:85
B
just soso

函数将接收的任何数据类型都默认为 str。

2.2 assert 关键词

assert这个关键词我们称之为“断言”,当这个关键词后边的条件为 False 时,程序自动崩溃并抛出AssertionError的异常。

my_list = ['lsgogroup', 'foo']
my_list.pop(0) # pop后面为index,移除列表中的index索引值,默认为-1,最后一个元素
assert len(my_list) != 1 
# AssertionError
---------------------------------------------------------------------------

AssertionError                            Traceback (most recent call last)

<ipython-input-7-0fba14c56f2a> in <module>
      1 my_list = ['lsgogroup', 'foo']
      2 my_list.pop(0) # pop后面为index,移除列表中的index索引值,默认为-1,最后一个元素
----> 3 assert len(my_list) != 1


AssertionError: 

在进行单元测试时,可以用来在程序中置入检查点,只有条件为 True 才能让程序正常工作。

循环语句

while语句

while 布尔表达式: 代码块

如果布尔表达式不带有<、>、==、!=、in、not in等运算符,仅仅给出数值之类的条件,也是可以的。当while后写入一个非零整数时,视为真值,执行循环体;写入0时,视为假值,不执行循环体。也可以写入str、list或任何序列,长度非零则视为真值,执行循环体;否则视为假值,不执行循环体。

string = 'abcd'
print(string)
while string:  # 长度非零则视为真值
    string = string[1:]
    print(string)  # 最后一次,string=‘d’  print了一个空值
abcd
bcd
cd
d
string = 'a'
print(string[1:])

while - else语句

while 布尔表达式: 代码块 else: 代码块

  • 当while正常执行循环运算,循环结束后执行else输出
  • 如果while循环中执行了跳出循环的语句,比如 break,将不执行else代码块的内容。
count = 0
while count < 5:
    print("%d is  less than 5" % count)
    count = count + 1
else:
    print("%d is not less than 5" % count)
    
# 0 is  less than 5
# 1 is  less than 5
# 2 is  less than 5
# 3 is  less than 5
# 4 is  less than 5
# 5 is not less than 5
count = 0
while count < 5:
    print("%d is  less than 5" % count)
    count = 6
    break
else:
    print("%d is not less than 5" % count)

# 0 is  less than 5

for循环

for循环是迭代循环,在Python中相当于一个通用的序列迭代器【说到迭代器,我想起numpy.nditer()数组迭代】,可以遍历任何有序序列,如str、list、tuple等,也可以遍历任何可迭代对象,如dict。

for 迭代变量 in 可迭代对象: 代码块

每次循环,迭代变量被设置为可迭代对象的当前元素,提供给代码块使用。

dic = {'a': 1, 'b': 2, 'c': 3, 'd': 4}

for key, value in dic.items():  # items()
    print(key, value, sep=':', end=' ')
    
# a:1 b:2 c:3 d:4 
a:1 b:2 c:3 d:4 
dic = {'a': 1, 'b': 2, 'c': 3, 'd': 4}

for key in dic.keys():  # items()
    print(key, end=' ')

# a b c d 
a b c d 
dic = {'a': 1, 'b': 2, 'c': 3, 'd': 4}

for value in dic.values():
    print(value, end=' ')
    
# 1 2 3 4
1 2 3 4 

for-else循环

for 迭代变量 in 可迭代对象: 代码块 else: 代码块

  • 当for循环正常执行完的情况下,执行else输出
  • 如果for循环中执行了跳出循环的语句,比如 break,将不执行else代码块的内容,与while - else语句一样。
for num in range(10, 20):  # 迭代 10 到 20 之间的数字
    for i in range(2, num):  # 找到 i 的因子,输出因式分解
        if num % i == 0:  # 确定第一个因子
            j = num / i  # 计算第二个因子
            print('%d 等于 %d * %d' % (num, i, j))
            break  # 跳出最内层循环
    else:  # 循环的 else 部分
        print(num, '是一个质数')
10 等于 2 * 5
11 是一个质数
12 等于 2 * 6
13 是一个质数
14 等于 2 * 7
15 等于 3 * 5
16 等于 2 * 8
17 是一个质数
18 等于 2 * 9
19 是一个质数

range()函数

range([start,] stop[, step=1])

  • 这个BIF(Built-in functions)有三个参数,其中*用中括号括起来的两个表示这两个参数是可选的*
  • step=1 表示第三个参数的默认值是1。
  • range 这个BIF的作用是生成一个从start参数的值开始到stop参数的值结束的数字序列,该序列包含start的值但不包含stop的值。

enumerate()函数

enumerate(sequence, [start=0])

  • sequence – 一个序列、迭代器或其他支持迭代对象,比如list tuple

  • start – 下标起始位置。

  • 返回 enumerate(枚举) 对象

  • enumerate(A) 不仅返回了 A 中的元素,还顺便给该元素一个索引值 (默认从 0 开始)。此外,用 enumerate(A, j) 还可以确定索引起始值为 j。

languages = ['Python', 'R', 'Matlab', 'C++']
for i, language in enumerate(languages, 2):
    print(i, 'I love', language)
print('Done!')

'''
2 I love Python
3 I love R
4 I love Matlab
5 I love C++
Done!
'''
2 I love Python
3 I love R
4 I love Matlab
5 I love C++
Done!





'\n2 I love Python\n3 I love R\n4 I love Matlab\n5 I love C++\nDone!\n'

break语句

  • break语句可以跳出当前所在层的循环。
import random
secret = random.randint(1, 10) #[1,10]之间的随机数

while True:
    temp = input("不妨猜一下小哥哥现在心里想的是那个数字:")
    guess = int(temp)
    if guess > secret:
        print("大了,大了")
    else:
        if guess == secret:
            print("你这样懂小哥哥的心思啊?")
            print("哼,猜对也没有奖励!")
            break
        else:
            print("小了,小了")
print("游戏结束,不玩儿啦!")

continue语句

  • continue终止本轮循环并开始下一轮循环。

pass语句

  • pass 语句的意思是“不做任何事”,如果你在需要有语句的地方不写任何语句,那么解释器会提示出错,而 pass 语句就是用来解决这些问题的。

  • pass是空语句,不做任何操作,只起到占位的作用,其作用是为了保持程序结构的完整性。尽管pass语句不做任何操作,但如果暂时不确定要在一个位置放上什么样的代码,可以先放置一个pass语句,让代码可以正常运行。

def a_func():
    pass

推导式

列表推导式

[ expr for value in collection [if condition] ]

x = [i for i in range(100) if (i % 2) != 0 and (i % 3) == 0]
print(x)

# [3, 9, 15, 21, 27, 33, 39, 45, 51, 57, 63, 69, 75, 81, 87, 93, 99]
a = [(i, j) for i in range(0, 3) for j in range(0, 3)]
print(a)

# [(0, 0), (0, 1), (0, 2), (1, 0), (1, 1), (1, 2), (2, 0), (2, 1), (2, 2)]
a = [(i, j) for i in range(0, 3) if i < 1 for j in range(0, 3) if j > 1]
print(a)

# [(0, 2)]
[(0, 2)]
for i in range(0, 3):
    if i < 1:
        for j in range(0, 3):
            if j > 1:
                a = [(i,j)]
                print(a)
[(0, 2)]

元组推导式

( expr for value in collection [if condition] )

a = (x for x in range(10))
print(a)

# <generator object <genexpr> at 0x0000025BE511CC48>

print(tuple(a))

# (0, 1, 2, 3, 4, 5, 6, 7, 8, 9)
<generator object <genexpr> at 0x7f146c228250>
(0, 1, 2, 3, 4, 5, 6, 7, 8, 9)

字典推导式

{ key_expr: value_expr for value in collection [if condition] }

b = {i: i % 2 == 0 for i in range(10) if i % 3 == 0}
print(b)
# {0: True, 3: False, 6: True, 9: False}
{0: True, 3: False, 6: True, 9: False}

集合推导式

{ expr for value in collection [if condition] }

{1, 2, 3, 4, 5, 6}


### 其它


```python
d = 'i for i in "I Love Lsgogroup"'
print(d)
# i for i in "I Love Lsgogroup"

e = (i for i in range(10))
print(e)
# <generator object <genexpr> at 0x0000007A0B8D01B0>

print(next(e))  # 0
print(next(e))  # 1

for each in e:
    print(each, end=' ')

# 2 3 4 5 6 7 8 9

s = sum([i for i in range(101)])
print(s)  # 5050
s = sum((i for i in range(101)))
print(s)  # 5050
i for i in "I Love Lsgogroup"
<generator object <genexpr> at 0x7f146c2283d0>
0
1
2 3 4 5 6 7 8 9 5050
5050

总结

  • 不同推导式,用的括号不一样。比如list为中括号[],tuple为小括号(),字典与集合为花括号{}
  • 除了元组推导式直接赋值到变量a不是元组的形式,需要tuple(a)
passwdList = ['123', '345', '890']
valid = False
count = 3
while count > 0:
    password = input('enter password:')
    for item in passwdList:
        if password == item:
            valid = True
            break
            
    if not valid:
        print('invalid input')
        count -= 1
        continue
    else:
        print("what can I do for you?")
        break
enter password:123
what can I do for you?

评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值