Python的字符串相关函数

文章目录

    • 1、chr ( )函数
    • 2、ljust ( ) & rjust ( )函数
      • 2.1 ljust()
      • 2.2 rjust()函数
    • 3、find()函数

1、chr ( )函数

得到对应顺序的字母

arrs = [chr(i + 96) for i in range(27)

结果是:

[‘a’, ‘b’, ‘c’, ‘d’, ‘e’, ‘f’, ‘g’, ‘h’, ‘i’, ‘j’, ‘k’, ‘l’, ‘m’, ‘n’,
‘o’, ‘p’, ‘q’, ‘r’, ‘s’, ‘t’, ‘u’, ‘v’, ‘w’, ‘x’, ‘y’, ‘z’]

再转换一下:

arr = ''.join(arrs)

结果是:

abcdefghijklmnopqrstuvwxyz

2、ljust ( ) & rjust ( )函数

2.1 ljust()

ljust() 方法返回一个原字符串左对齐,并使用空格填充至指定长度的新字符串。即补充新字符到右边
如果指定的长度小于原字符串的长度则返回原字符串。
str.ljust(width[, fillchar])
参数:

  • width – 指定字符串长度。
  • fillchar – 填充字符,默认为空格。

注意:

ljust()函数不会修改原字符串;必须赋值给一个新的变量
s = 'sga'
s.ljust(8,'0')
print(s)  # ljust()函数不会修改原字符串
a = s.ljust(8,'*')  # 必须赋值给一个新的变量
print(s.ljust(8,'0'))
print(a)

结果:

sga
sga00000
sga*****

2.2 rjust()函数

ljust()函数相反,将新字符补充到左边
语法:

str.rjust(width[, fillchar])
s = 'sga'
s.rjust(8,'0')
print(s)
a = s.rjust(8,'*')
print(s.rjust(8,'0'))
print(a)
sga
00000sga
*****sga

3、find()函数

find() 方法检测字符串中是否包含子字符串 str ,如果指定 beg(开始) 和 end(结束) 范围,则检查是否包含在指定范围内,如果指定范围内如果包含指定索引值,返回的是索引值在字符串中的起始位置。如果不包含索引值,返回-1。

str.find(str, beg=0, end=len(string))
str1 = "Runoob example....wow!!!"
str2 = "exam";
 
print (str1.find(str2))
print (str1.find(str2, 5))
print (str1.find(str2, 10))

结果是:

7
7
-1

例子2:

>>>info = 'abca'
>>> print(info.find('a'))      # 从下标0开始,查找在字符串里第一个出现的子串,返回结果:0
0
>>> print(info.find('a', 1))   # 从下标1开始,查找在字符串里第一个出现的子串:返回结果3
3
>>> print(info.find('3'))      # 查找不到返回-1
-1
>>>

你可能感兴趣的:(Python)