Python字符串對齊、刪除字符串不需要的內容以及格式化打印字符

刪除字符串中不需要的內容

1、strip()方法

strip:默認是去掉首尾的空白字符,但是也可以指定其他字符;

lstrip:隻去掉左邊的;

rstrip:隻去掉右邊的;

print('+++apple '.strip()) # '+++apple'
print('+++apple '.lstrip('+')) # 'apple '
print(' apple '.rstrip()) # ' apple'

這個隻能去除首尾的,如果想去除中間的字符,可以使用倒replace()方法

2、replace()方法

replace:將字符串中所有需要替換的字符替換成指定的內容,如果指定次數count,則替換不會超過count次;原來的字符串不會改變,而是生成一個新的字符串來保存替換後的結果。

word = 'he22222222o'
m = word.replace('2', 'x', 4)
n = word.replace('2', 'x')
print(word) # he22222222o
print(m) # hexxxx2222o
print(n) # hexxxxxxxxo
print(word.replace('2','+-'))# he+-+-+-+-+-+-+-+-o

z = 'hello  world'
print(z.replace(' ',''))# helloworld

字符串對齊

ljust(width,fillchar) :返回一個左對齊的長度為width的字符串,要是字符串長度小於width則在右邊用所給填充字符補齊

rjust(width,fillchar) :右對齊,同上

center(width,fillchar):居中,同上

print('hello'.ljust(10, '+'))# hello+++++
print('hello'.rjust(10))# '  hello'
print('hello'.center(10, '='))# ==hello===

format()函數

‘<‘:左對齊,右補齊

‘>’:右對齊,左補齊

‘^’:居中,左右補齊

默認也是使用空格補齊,可以在這三個符號前給定字符,作為填充字符

text = 'hihi'
print(format(text, '>20'))# '    hihi'
print(format(text, '+<20'))# 'hihi++++++++++++++++'
print(format(text, '-^20'))# '--------hihi--------'

格式化打印字符

f-string:建議使用

name = '張三'
age = 18
print(f'我叫{name},今年{age}歲')# 我叫張三,今年18歲

: 號後面帶填充的字符,隻能是一個字符,多瞭會報錯,不指定的話默認是用空格填充;

b、d、o、x 分別是二進制、十進制、八進制、十六進制;

.nf保留n位小數

.n%讓小數變為百分數,並保留n位小數

print('{:b}'.format(255))# 11111111
print('{:d}'.format(255))# 255
print('{:o}'.format(255))# 377
print('{:x}'.format(255))# ff
print('{:X}'.format(255))# FF

print('{:.2f}'.format(10))# 10.00
print('{:.0f}'.format(10.11))# 10

print('{:+^20}{:^20}'.format('QAQ','AQA'))# '++++++++QAQ+++++++++  AQA   '
print('{:^>20}{:^<20}'.format('QAQ','AQA'))# '^^^^^^^^^^^^^^^^^QAQAQA^^^^^^^^^^^^^^^^^'
# 這是我們使用較多的一種方法
print('我叫{},我今年{}歲瞭'.format('張三', 21))# 我叫張三,我今年21歲瞭

# {數字}會根據數字的順序進行填入,數字從0開始
print('我叫{1},我今年{0}歲瞭'.format(21, 'zhangsan'))# 我叫zhangsan,我今年21歲瞭

# {變量名}
print('我今年{age},我叫{name},我喜歡{sport}'.format(sport='打籃球', name='zhangsan', age=18))
# 我今年18,我叫zhangsan,我喜歡打籃球

# 通過列表索引設置參數
d = ['zhangsan', '18', '湖南', '180']
print('我叫{},我今年{},我來自{},我身高{}'.format(*d))# 我叫zhangsan,我今年18,我來自湖南,我身高180
e = ['hello', 'world']
print("{0[0]} {0[1]}".format(e))# '0'是必須的
# hello world

# 通過字典索引設置參數
# **info對字典進行拆包
# 我覺得應該是變成瞭('name'='zhangsan','age'= 18,'height'=180,'addr'='湖南')
# 類似於給**kwargs傳多個關鍵字參數一樣
info = {'name':'zhangsan','age': 18,'height':180,'addr':'湖南',}
print('大傢好我是{name},我今年{age}歲,我來自{addr},我身高{height}'.format(**info))
# 大傢好我是zhangsan,我今年18歲,我來自湖南,我身高180

總結

到此這篇關於Python字符串對齊、刪除字符串不需要的內容以及格式化打印字符的文章就介紹到這瞭,更多相關Python字符串對齊、刪除及格式化打印內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!

推薦閱讀: