##1. 字符串的定义
a = 'westos'
b = "westos's"
c = 'what\'s'
d = """
用户管理系统
1.添加用户
2.擅长用户
3.显示用户
.....
"""
2.字符串的特性
s = 'hello'
# 索引:0 1 2 3 4 索引从0开始
print(s[0])
print(s[4])
print(s[-1]) # 拿出最后一个字符
# 切片 s[start:stop:step] 从start开始到stop-1结束 step:步长
print(s[0:3])
print(s[0:4:2])
print(s[:]) #显示全部的字符
print(s[:3])# 显示前3个字符
print(s[::-1]) # 字符串的反转
print(s[2:]) #除了前2个字符之外的其他字符
# 重复
print(s * 10)
# 连接
print('hello ' + 'python')
# 成员操作符
print('he' in s)
print('aa' in s)
print('he' not in s)
# for循环遍历
for i in s:
print(i,end='')
3.字符串的常用方法
>>> 'Hello'.istitle()
True
>>> 'hello'.istitle()
False
>>> 'hello'.isupper()
False
>>> 'hello'.islower()
True
>>> 'HHHello'.islower()
False
>>> 'HHHello'.isupper()
False
>>> 'HELLO'.lower()
'hello'
>>> a = 'HELLO'.lower()
>>> a
'hello'
>>> 'Herwr'.upper()
'HERWR'
>>> 'HELLO'.title()
'Hello'
判断文件名后缀是否合法或者字符串开头是不是我们需要的类型
filename = 'hello.loggggg'
if filename.endswith('.log'):
print(filename)
else:
print('error.file')
url = 'https://172.25.254.250/index.html'
if url.startswith('http://'):
print('爬取网页')
else:
print('不能爬取')
#注意:取出左右两边的空格 空格为广义的空格 包括:\t \n
>>> s = ' hello '
>>> s
' hello '
>>> s.strip()
'hello'
>>> s.lstrip()
'hello '
>>> s.rstrip()
' hello'
>>> s = ' hello \t\t'
>>> s.lstrip()
'hello \t\t'
>>> s.rstrip()
' hello'
>>> s.strip()
'hello'
>>> s = 'helloh'
>>> s.strip('h')
'ello'
>>> s.lstrip('h')
'elloh'
>>> s.rstrip('h')
'hello'
>>> s.rstrip('he')
'hello'
>>> s.strip('he')
'llo'
[[:digit:]] [[:alpha:]]
"""
#只要有一个元素不满足条件 就返回False
print('3121asdas'.isdigit())
print('dsaddada'.isalpha())
print('dasdaad442134'.isalnum())
eg:变量名定义是否合法:
1.变量名可以由字母 数字 下划线组成
2.变量名只能以字母和或者下划线开头
while True:
s = input('变量名:')
if s == 'exit':
print('exit')
break
if s[0].isalpha() or s[0] == '_':
for i in s[1:]:
if not (i.isalnum() or i == '_'):
print('%s变量名不合法' % (s))
break
else:
print('%s变量名合法' % (s))
else:
print('%s变量名不合法' % (s))
4.字符串的对齐
print('学生管理系统'.center(30))
print('学生管理系统'.center(30,'*'))
print('学生管理系统'.ljust(30,'*'))
print('学生管理系统'.rjust(30,'*'))
5.字符串的搜索和替换
s = 'hello world hello'
# find找到子字符串,并返回索引
print(s.find('hello')) #返回最小索引
print(s.find('world'))
print(s.rfind('hello')) #返回最大的索引
# 替换字符串中的hello为westos
print(s.replace('hello','westos'))
6.字符串的统计
print('hello'.count('l'))
print('hello'.count('ll'))
print(len('westossssss'))
7.字符串的分离和连接
s = '172.25.254.250'
s1 = s.split('.')
print(s1)
date = '2019-12-08'
date1 = date.split('-')
print(date1)
print(''.join(date1))
print('/'.join(date1))
print('~~~'.join('hello'))
来源:CSDN
作者:皮皮彭
链接:https://blog.csdn.net/qq_36417677/article/details/103588462