1.输入一个字符串,打印所有奇数位上的字符(下标是1,3,5,7…位上的字符),例如: 输入'abcd1234 ' 输出'bd24'
str1 = 'abcdef123opq12'
for n in range(1, len(str1), 2):
print(str1[n], end='')
2.输入用户名,判断用户名是否合法(用户名长度6~10位)
str1 = '84802-'
n = len(str1)
if 6<= n <=10:
print('用户名合法')
else:
print('用户名不合法')
3.输入用户名,判断用户名是否合法(用户名中只能由数字和字母组成) 例如: 'abc' — 合法 '123' — 合法 ‘abc123a’ — 合法
str1 = '84802--'
for item in str1:
if not('a' <= item <= 'z' or 'A' <= item <= 'Z' or '0' <= item <= '9'):
print('不合法')
break
else:
print('合法')
4.输入用户名,判断用户名是否合法(用户名必须包含且只能包含数字和字母,并且第一个字符必须是大写字母。例如: 'abc' — 不合法 '123' — 不合法 'abc123' — 不合法 'Abc123ahs' — 合法
str1 = 'Aa1aa' # user_name
if 'A' <= str1[0] <= 'Z':
count = 0 # 统计数字字符个数
for item in str1[1:]:
if 'A' <= item <= 'Z' or 'a' <= item <= 'z' or '0' <= item <= '9':
if '0' <= item <= '9':
count += 1
else:
print('不合法')
break
else:
if count > 0:
print('合法')
else:
print('不合法')
else:
print('不合法')
5.输入一个字符串,将字符串中所有的数字字符取出来产生一个新的字符串。例如:输入'abc1shj23kls99+2kkk' 输出:'123992'
str1 = 'abc1shj23kls99+2kkk'
for item in str1[::1]:
if '0' <= item <= '9':
print(item, end='')
6.输入一个字符串,将字符串中所有的小写字母变成对应的大写字母输出。例如: 输入'a2h2klm12+' 输出 'A2H2KLM12+'
str1 = '22HHHa2h2klm12+'
for item in str1[::1]:
if 'a' <= item <= 'z':
print(item.swapcase(),end='')
else:
print(item, end='')
7. 输入一个小于1000的数字,产生对应的学号。例如: 输入'23',输出'py1901023' 输入'9', 输出'py1901009' 输入'123',输出'py1901123'
num = 33
study_id = 'py1901' + str(num).zfill(3)
print(study_id)
8.输入一个字符串,统计字符串中非数字字母的字符的个数。例如: 输入'anc2+93-sj胡说' 输出:4 输入'===' 输出:3
str1 = 'Mn22+\-*43c'
count = 0
for item in str1[::1]:
if not('0' <= item <= '9' or 'a' <= item <= 'z' or 'A' <= item <= 'Z'):
count += 1
print(count)
9.输入字符串,将字符串的开头和结尾变成'+',产生一个新的字符串。例如: 输入字符串'abc123', 输出'+bc12+'
str1 = '543cc37k'
a = str1[0]
b = str1[-1]
new_str = str1.replace(a, '+')
new_str = new_str.replace(b, '+')
print(new_str)
10.输入字符串,获取字符串的中间字符。例如: 输入'abc1234' 输出:'1' 输入'abc123' 输出'c1'
str1 = 'abcd123456'
n = len(str1)
if n % 2 ==0:
print(str1[n//2-1:n//2+1])
else:
print(str1[n//2])