**#python的数据类型**#整数#十六进制
hex_num=0xff00+0xa5b4c3d2#浮点数
pi=3.14#字符串,用‘’或者“”来括起来,
str_love='I love you !'#布尔值 False,True#布尔值有and ,or,not运算
bool_value=FalseorTrue#空值None,该值不能理解为0,它是一个特殊的值
**#pyton的基本语句**#print语句,遇到逗号会丢下一个空格
print('wo','shi','yige','xuesheng')
#raw字符串与多行字符串#针对于转义字符的麻烦,加一个r可以不要转义
str_smile=r'\(~_~)/'#如果要表示多行字符串可以用'''...'''表示'''Line 1
Line 2
Line 3'''#如果在多行字符串前面加上r可以变成raw字符串r'''Python is created by "Guido".
It is free and easy to learn.
Let's start learn Python in Computer'''# -*- coding: utf-8 -*- #这是为了让Python解释器知道#是用utf-8编码读取源代码#Unicode字符串# -*- coding: utf-8 -*-#用两个字节表示一个字符#因为python比Unicode出现的早,默认ASCII编码#所以后来添加了对Unicode的支持#用u'...'表示printu'中文'#raw+多行+unicodeur'''Python的Unicode支持中文,
日文
和韩文'''#布尔类型的运算#看一下代码
a=Trueprint a and'a=T'or'a=F''''
>>> a=True
>>> print a and 'a=T' or 'a=F'
a=T
因为Python把0、空字符串''和None看成 False,其他数值和非空字符串都看成 True,所以:
True and 'a=T' 计算结果是 'a=T'
继续计算 'a=T' or 'a=F' 计算结果还是 'a=T'
>>> b=(bool)(a and 'a=T' or 'a=F')
>>> print(b)
True
要解释上述结果,又涉及到 and 和 or 运算的一条重要法则:短路计算。
1. 在计算 a and b 时,如果 a 是 False,则根据与运算法则,整个结果必定为 False,因此返回 a;如果 a 是 True,则整个计算结果必定取决与 b,因此返回 b。
2. 在计算 a or b 时,如果 a 是 True,则根据或运算法则,整个计算结果必定为 True,因此返回 a;如果 a 是 False,则整个计算结果必定取决于 b,因此返回 b。
所以Python解释器在做布尔运算时,只要能提前确定计算结果,它就不会往后算了,直接返回结果。
'''