01月19日【Python3 基礎知識】
阿新 • • 發佈:2018-02-26
python
2.1 數據類型
2.2 字符串
2.3 list操作
2.1 數據類型
# Ptyhon運算符 ‘‘‘ 數字運算符: + - * / % 關系運算符: a == b a>b a<b a!=b >= <= 賦值運算符: a = b += -= *= /= 邏輯運算符: and or not ‘‘‘ # # 整型(int) a = 10 print(a) # # 布爾型(bool) True(真) Falle(假) # # 浮點型(float): 小數類型 a = 1.2345 print(a) # # 字符串(str) string = ‘abc‘ print(string)
2.2 字符串
string = ‘abcdefg aa bbd ‘ # # 字符串操作 # # find: 查找內容所在字符串位置,順序從0開始;-1表示查不到 print(string.find(‘d‘)) # 切片:[起始:結束:步長] print(string[0:]) print(string[0:5]) print(string[0:5:2]) # replace (需要替換字符,替換後字符,替換次數) print(string.replace(‘a‘, ‘A‘)) print(string.replace(‘a‘, ‘A‘, 2)) # split 分隔符(分隔標誌,分隔次數) print(string.split()) print(string.split(‘ ‘, 1)) # strip 去字符串兩端的空白字符 print(string.strip()) # title 首字母大寫 print(string.title())
2.3 list操作
# append: 添加元素 lt = [1, 2, 3, ‘a‘, ‘b‘, ‘c‘] lt.append(‘d‘) print(lt) # insert: 指定位置插入指定元素 lt = [1, 2, 3, ‘a‘, ‘b‘, ‘c‘] lt.insert(2, ‘%‘) print(lt) # pop: 按下標彈出元素 lt = [1, 2, 3, ‘a‘, ‘b‘, ‘c‘] print(lt.pop()) # 默認從最後彈起 print(lt) lt = [1, 2, 3, ‘a‘, ‘b‘, ‘c‘] print(lt.pop(2)) print(lt) # remove: 刪除元素 lt = [1, 2, 3, ‘a‘, ‘b‘, ‘c‘] lt.remove(‘a‘) print(lt) # index: 查詢指定元素的下標 lt = [1, 2, 3, ‘a‘, ‘b‘, ‘c‘] print(lt.index(3)) # sort 順序排序 lt = [1, 2, 3] lt.sort() print(lt) # reverse 倒序排序 lt = [1, 2, 3] lt.reverse() print(lt)
01月19日【Python3 基礎知識】