- 输入一个字符串,打印所有奇数位上的字符(下标是1,3,5,7…位上的字符)
例如: 输入'abcd1234 ' 输出'bd24'
string_1 = input('请输入一个字符串')
for index in range(len(string_1)):
if index % 2 != 0:#奇数位
print(string_1[index])
- 输入用户名,判断用户名是否合法(用户名长度6~10位)
string_2 = input('请输入你的用户名')
lenth_1 = len(string_2)
if lenth_1 >= 6 and lenth_1 <= 10:判断长度是否为6到7
print('合法')
else:
print('不合法')
- 输入用户名,判断用户名是否合法(用户名中只能由数字和字母组成)
例如: 'abc' — 合法 '123' — 合法 ‘abc123a’ — 合法
string_3 = input('请输入一个字符串')
count = 0
for index in string_3:
if 'a' <= index <= 'z' or 'A' <= index <= 'Z' or '0' <= index <= '9':
count = 1
else:#出现不是字母或者数字的字符,打印不合法
print('不合法')
count = 0
break#程序结束
if count == 1:
print('合法')
- 输入用户名,判断用户名是否合法(用户名必须包含且只能包含数字和字母,并且第一个字符必须是大写字母)
例如: 'abc' — 不合法 ** '123'** — 不合法 'abc123' — 不合法 'Abc123ahs' — 合法
string_4 = input('请输入一个字符串')
num4 = ''
count = 0
if 'A' <= string_4[0] <= 'Z':
count = 1
else:
count = 0
if string_4.isalpha() != 0:#判断字符是否全是字母
count = 0
for index in string_4:#判断字符串是否包含除数字字母外的其他字符
if count == 0:
break
if 'a' <= index <= 'z':
count = 1
elif 'A' <= index <= 'Z':
count = 1
elif '0' <= index <= '9':
count = 1
else:
count = 0
break
if count == 1:
print('合法')
else:
print('不合法')
- 输入一个字符串,将字符串中所有的数字字符取出来产生一个新的字符串
例如:输入'abc1shj23kls99+2kkk' 输出:'123992'
string_5 = input('请输入字符串')
new_string = str()
for index in string_5:
if '0' <= index <= '9':
new_string += index
print(new_string)
- 输入一个字符串,将字符串中所有的小写字母变成对应的大写字母输出
例如: 输入'a2h2klm12+' 输出 'A2H2KLM12+'
string_6 = input('请输入一个字符串')
new_string = ''
for index in string_6:
if 'a' <= index <= 'z':
new_string += index.upper()
else:
new_string += index
print(new_string)
- 输入一个小于1000的数字,产生对应的学号
例如: 输入'23',输出'py1901023' 输入'9', 输出'py1901009' 输入'123',输出'py1901123'
number_1 = input('请输入一个一千以内的数')
string_7 = 'py19010'
new_string = string_7 + number_1
print(new_string)
- 输入一个字符串,统计字符串中非数字字母的字符的个数
例如: 输入'anc2+93-sjd胡说' 输出:4 输入'===' 输出:3
string_8 = input('请输入一个字符串')
count = 0
for x in string_8:
if 'a' <= x <= 'z' or 'A' <= x <= 'Z' or '0' <= x <= '9':
continue
else:
count += 1
print(count)
- 输入字符串,将字符串的开头和结尾变成'+',产生一个新的字符串
例如: 输入字符串'abc123', 输出'+bc12+'
string_9 = input('请输入一个字符串')
new_string = ''
for x in range(len(string_9)):
if x == 0:
new_string += '+'
elif x == len(string_9) - 1:
new_string += '+'
else:
new_string += string_9[x]
print(new_string)
- 输入字符串,获取字符串的中间字符
例如: 输入'abc1234' 输出:'1' 输入'abc123' 输出'c1'
string_10 = input('请输入一个字符串')
new_string = ''
for x in range(len(string_10)):
if len(string_10) % 2 == 1:
x = (len(string_10)-1)//2
print(string_10[x])
break
else:
x = len(string_10)//2
new_string = string_10[x-1] + string_10[x]
print(new_string)
break