?
?1、修改字符串的大小写
name = "liu ?yaN" print(name.title()) ?# 单词以大写字符开头,所有剩余的大小写字符都以小写字母开头。 print(name.upper()) ?# 返回转换为大写的字符串 print(name.lower()) ?# 返回转换为小写的字符串?
?
2、在字符串中使用变量
first_name = "liu" last_name = "yan" full_name = f"{first_name} {last_name}"? ? ? ? ??# f是format(设置格式)的简写,format()或f,可以将{}里面的变量列出变量的值,f字符串是py3.6中的引用的
print(full_name) # 输出 : liu yan
print(f"Hello, {full_name.title()}!") # 输出: Hello, Liu Yan!
message = f"Hello, {full_name.title()}!" print(message) # 输出: Hello, Liu Yan!
# python3.5中的写法如下,3.6引用了format写法改成了f name = "{} {}".format(first_name, last_name) print(name) # 输出:liu yan
?
3、使用制表符\t或换行符\n来添加空白
?1、字符串"\n"是换行符 , 字符串"\t"是制表符。 "\n\t"的作用是让Python换行到下一行并在下一行开头加上一个制表符
print("python\nnihao\nword") # 输出结果: # python # nihao # word
print("Haool\n\teeee\n\tbbbbbb") # 输出结果: # Haool # ?? ?eeee # ?? ?bbbbbb
?
?4、删除字符串的空白----lstrip()开头,rstrip()末尾,strip()两边
?#1、lstrip()的用法,去除字符串开头多余的空白 languaes = " ? ? ? ? ? python" print(languaes.lstrip())? ?# 输出:python
# 2、rstrip()的用法,去除字符串末尾多余的空白 languae = "python ? ? ? ? ? ? ?" print(languae.rstrip() + "333")? ?# 输出:python333
# 3、strip()的用法,去除字符串两边多余的空白 lang = " ? ? ? ? ? python ? ?" print(lang.strip())? ? ?# 输出:python
?
?
|