Python3.x—基础数据类型

概念

python中数据类型包含:
int(整型)
float(浮点型)
Boolean(布尔型)
复数
String(字符串)
List(列表)
Tuple(元组)
Dictionary(字典)
这篇主要针对基础数据类型(int、float、boolean)进行总结

算数运算

1、整数运算

>>> 2 + 2
4
>>> 4 - 2
2
>>> 2 * 2
4
>>> 2 / 2        # 除法运算总是返回浮点数
1.0
>>> 8 / 5        # Python2.x 版本中为1;3.x版本中为1.6
1.6
>>> 2e304 * 39238172739329            # infinity(无穷大),当计算值过大时,结果为inf
inf

2、浮点数运算

>>> 3.0 + 3
6.0
>>> 3.0 - 2
1.0
>>> 2.0 * 3
6.0
>>> 4.0 + 3
7.0
>>> 4.0 / 2
2.0
注意:浮点数的运算结果总是返回浮点数

3、混合运算

>>> (45 + 5 - 5*6) / 4
5.5

4、求模运算%

>>> 17 % 3 
2
>>> 5 * 3 + 2          # 商 * 除数 + 余数
17

5、次方运算

>>> 5 ** 2              # 5的平方
25
>>> 2 ** 7              # 2的7次方
128
>>> -3 ** 2
-9
>>> (-3) ** 2          
9
注意: ** 比 -,+ 运算符优先级更高 

6、取整运算

>>> 17 / 3
5.666666666666667
>>> 17 // 3                  # // 运算符返回结果中整数部分
5

7、虚数和复数运算

>>> 2 + 3 + 3j            # 3j 虚数
(5+3j)
>>> 2 + (3 + 2j)
(5+2j)
>>> 5j + 5j
10j
备注:python用j 或 J 后缀来标记复数的虚数部分,如3+5j

Boolean 常量

Boolean 包含两个常量False、True(注意:首字母必须大写,否则报错)

>>> True
True
>>> False
False
>>> True == 1
True
>>> False == 0
True
>>> False < 1
True
>>> true                                                      # 首字母小写报错
Traceback (most recent call last):
  File "", line 1, in 
NameError: name 'true' is not defined

数据类型转换

1、字符串数字转为int型数字

>>> String = "1234"
>>> String
'1234'
>>> int(String)
1234
备注:int()函数可以实现将字符串转为int型数字,此处函数仅对数字型的字符有效
>>> int("12", 16)      # 还可以将指定进制,转换字符串数字为对应的进制的数字
18

2、int 型转为字符串类型

>>> str(512)
'512'

3、int 型转浮点型

>>> float(512)
512.0

4、浮点型转int 型

>>> int(88.8)
88

5、浮点型转str 型

>>> str(88.8)
'88.8'

6、获取字符串中文符的ASCII码

>>> ord("A")
65
备注:只能用于包含单个字符的字符串

7、将ASCII码转换为字符

>>> chr(65)
'A'

数据类型验证

type(object) 用于显示object的数据类型

1、整形

>>> type(1)

2、浮点型

>>> type(1.0)

3、Boolean(布尔型)

>>> type(True)

4、复数

>>> type(12j + 1)

5、字符串

>>> type("")

6、集合

>>> type({1,2})

7、列表

>>> type([1,2])

8、元组

>>> type((1,2,3))

9、字典

>>> type({1:"chanper",2:"18"})

10、字节

>>> type(b"")

11、应用举例

>>> obj = 'string'
>>> if type(obj) != type({}):
...     print("type of arg must be 'dict'")
...
type of arg must be 'dict'

你可能感兴趣的:(Python3.x—基础数据类型)