1、字符串定义:
(1) 定义:字符串就是一系列字符,在python中,用引号(单引号,双引号,三引号都可以)括起来的都是字符串。例如:“kaikai” , “hello world” ,“xixi is a girl”
(2)输出字符串
直接在print函数中输出字符串。如:print(“kaikai”)
(3)拼接字符串python中使用加号(+)来拼接字符串。如:
2.字符串的常见方法:
(1)字符串大小写转换
lower() upper() title() capitalize()
== 这4个函数都是改变返回值,不改变原值。==
在控制台演示如下:
>>> s="the rain stopped and the sky cleared up"
>>> s.upper() #把字符串中小写字符变成大写字符
'THE RAIN STOPPED AND THE SKY CLEARED UP'
>>> s
'the rain stopped and the sky cleared up'
>>> s.lower() # 把字符串中大写字符变成小写字符
'the rain stopped and the sky cleared up'
>>> s
'the rain stopped and the sky cleared up'
>>> s.title() #将字符串转换为标题格式
'The Rain Stopped And The Sky Cleared Up'
>>> s
'the rain stopped and the sky cleared up'
>>> s.capitalize()
# 让字符串首字母大写(规范化每段的第一句话)
'The rain stopped and the sky cleared up'
>>>
(2)字符串格式(居中or左右对齐)
center(width,[fillchar]) # 设置字符串安装长度居中,fillchar默认是空格,可以自定义
ljust # 左对齐,fillchar默认是空格,可以自定义
rjust # 右对齐,fillchar默认是空格,可以自定义
count() # 统计字符或者字符串出现的次数
endswith() # 判断字符串是否以xxx结尾
startswith() # 判断字符串是否以xxx开头
example:
>>> s.center(50)
' the rain stopped and the sky cleared up '
>>> s.center(50,"+")
'+++++the rain stopped and the sky cleared up++++++'
>>> s.ljust(50)
'the rain stopped and the sky cleared up '
>>> s.rjust(50)
' the rain stopped and the sky cleared up'
>>> s.count("a")
3
>>> s.endswith("u")
False
>>> s.endswith("p")
True
(3)查找字符
index # 查找字符或者字符串在字符串中第一次出现的位置;如果字符或者字符串不存在,则抛出异常
rindex # 查找字符或者字符串在字符串中最后一次出现的位置
find # 查找字符或者字符串在字符串中第一次出现的位置,如果字符或者字符串不存在,则返回-1
rfind # 查找字符或者字符串在字符串中最后一次出现的位置
>>> s
'the rain stopped and the sky cleared up'
>>> s.index("a")
5
>>> s.rindex("a")
32
>