"""字符串操作分类:    
1. 改变类
2. 判断类
3. 查询类
4. 编码格式类
5. 其他处理
"""print("===========改变类===========")
s = "hello World"
# 1.upper() -->>字符串全部大写
print(s.upper()) # HELLO WRLD#
2.lower() -->>字符串全部小写
print(s.lower()) # hello world#
3.swapcase() -->>大小写互换
print(s.swapcase()) # HELLO wORLD#
4.capitalize() -->>第一个字母大写,其余全部小写
print(s.capitalize()) # Hello world
# 5.title() # 每个单词的一个字母大写
print(s.title()) # Hello World
# 6.ljust() -->>左对齐,向右按设定值填充字符(默认空格)
print(s.ljust(20, "*")) # hello World*********
# 7.rjust() -->>左对齐,向右按设定值填充字符(默认空格)
print(s.rjust(20, "*")) # *********hello World
# 8.center() -->> -->>字符串居中,两端填充字符
print(s.center(20, "*")) # ****hello World*****
# 9.zfill() -->>在左侧填充带0的数字字符串,以填充给定宽度的字段
print(s.zfill(20)) # 000000000hello World
# 10.replace() -->>将字符串中的字符按给定次数替换成其他字符
print(s.replace("l", "L", 3)) # heLLo WorLd
"""===========判断类==========="""
# 11. startswith() -->>判断字符串是以什么开头,返回BOOL值
print(s.startswith("h", 1, 5)) # False
# 12. endswith() -->>判断字符串是以什么结束,返回BOOL值
print(s.endswith("d", 1, 5)) # False
print("===========判断类===========")
print("""
isupper()
islower()
isspace()--判断只有空白字符、
isalpha()--判断是否全是字母
isdigit()--判断是否全是数字
isalnum()--判断是否全是数字和字母
isascii()--判断是否来自ASCII
isidentifier()--判断是不是合法字符\n""")

print("===========改变类===========")
# 13. find() -->>按索引位置查找字符在字符串中所在第一个索引,查不到返回-1
print(s.find("o", 7, 9)) # 7
# 14. rfind() -->>按索引位置反向查找字符在字符串中所在第一个索引
print(s.rfind("o", 1, 8)) # 7
# 15. index() -->>按索引位置查找字符在字符串中所在第一个索引,查不到抛出异常
print(s.index("o", 7, 9)) # 7
# 16. rindex() -->>按索引位置反向查找字符在字符串中所在第一个索引
print(s.rindex("o", 1, 8)) # 7
# 17. ord()和chr() -->>返回ascii码十进制位和字符
print(ord('a'))
print(chr(65))