当前位置 : 主页 > 手机开发 > ROM >

第1篇:基础

来源:互联网 收集:自由互联 发布时间:2021-06-10
% #与 | #或 not #非 #取整 7 // 4 #求余 10 % 4 #乘方 2 ** 3 #一个关于浮点数运算需要注意的地方 a = 4.2 b = 2.1 c = a + b # c =6.300000000000001 from decimal import Decimal a = Decimal(‘4.2‘) b = Decimal(‘2.1‘)

%

#与

 

|

#或

 

not

#非

 

#取整
7 // 4

#求余
10 % 4

#乘方
2 ** 3

#一个关于浮点数运算需要注意的地方
a = 4.2
b = 2.1
c = a + b  # c = 6.300000000000001

 

from decimal import Decimal
a = Decimal(‘4.2‘)
b = Decimal(‘2.1‘)

print(a + b)

(a + b) == Decimal(‘6.3‘)

 

 

#字符串str用单引号(‘ ‘)或双引号(" ")括起来

#使用反斜杠(\)转义特殊字符。
s = ‘Yes,he doesn\‘t‘
print(s, type(s), len(s))

#如果你不想让反斜杠发生转义,
#可以在字符串前面添加一个r,表示原始字符串
print(‘C:\some\name‘)

print(r‘C:\some\name‘)

#反斜杠可以作为续行符,表示下一行是上一行的延续。
#还可以使用"""..."""或者‘‘‘...‘‘‘跨越多行
s = "abcd\
efg"
print(s);

s = """
Hello I am fine!
Thinks.
"""
print(s);

#字符串可以使用 + 运算符串连接在一起,或者用 * 运算符重复:
print(‘str‘+‘ing‘, ‘my‘*3)

#Python中的字符串有两种索引方式
#第一种是从左往右,从0开始依次增加
#第二种是从右往左,从-1开始依次减少
#注意,没有单独的字符类型,一个字符就是长度为1的字符串
word = ‘Python‘
print(word[0], word[5])
print(word[-1], word[-6])

#还可以对字符串进行切片,获取一段子串
#用冒号分隔两个索引,形式为变量[头下标:尾下标]
#截取的范围是前闭后开的,并且两个索引都可以省略
word = ‘ilovepython‘
word[1:5]
#‘love‘
word[:]
#‘ilovepython‘
word[5:]
#‘python‘
word[-10:-6]
#‘love‘
#Python字符串不能被改变
#向一个索引位置赋值,比如word[0] = ‘m‘会导致错误。
word[0] = ‘m‘


#检测开头和结尾
filename = ‘spam.txt‘
filename.endswith(‘.txt‘)

filename.startswith(‘file:‘)

url = ‘http://www.python.org‘
url.startswith(‘http:‘)

choices = (‘http:‘, ‘https‘)
url = ‘https://www.python.org‘
url.startswith(choices)

choices = [‘http:‘, ‘https‘]
url = ‘https://www.python.org‘
url.startswith(choices)


#查找某个字符串
string = "I am KEN"
string.find("am")
string.find("boy")
#忽略大小写的搜索

import re
text = ‘UPPER PYTHON, lower python, Mixed Python‘
re.findall(‘python‘, text, flags=re.IGNORECASE)

#搜索和替换
text = ‘yeah, but no, but yeah, but no, but yeah‘
text.replace(‘yeah‘, ‘yep‘)

#忽略大小写的替换
text = ‘UPPER PYTHON, lower python, Mixed Python‘
re.sub(‘python‘, ‘snake‘, text, flags=re.IGNORECASE)

#合并拼接字符串parts = [‘Is‘, ‘Chicago‘, ‘Not‘, ‘Chicago?‘]‘ ‘.join(parts)‘Is Chicago Not Chicago?‘‘,‘.join(parts)‘Is,Chicago,Not,Chicago?‘‘‘.join(parts)‘IsChicagoNotChicago?‘

网友评论